diff --git a/core/src/main/java/org/dbpedia/extraction/nif/LinkExtractor.java b/core/src/main/java/org/dbpedia/extraction/nif/LinkExtractor.java old mode 100644 new mode 100755 index 04b71fc08a..07f5a814de --- a/core/src/main/java/org/dbpedia/extraction/nif/LinkExtractor.java +++ b/core/src/main/java/org/dbpedia/extraction/nif/LinkExtractor.java @@ -39,11 +39,14 @@ public LinkExtractor(NifExtractorContext context) { public void head(Node node, int depth) { - if(skipLevel>=0) + if(skipLevel>=0){ return; + } + - if(paragraph == null) - paragraph = new Paragraph(0, "", "p"); + if(paragraph == null) { + paragraph = new Paragraph(0, "", "p"); + } //ignore all content inside invisible tags if(invisible || node.attr("style").matches(".*display\\s*:\\s*none.*")) { invisible = true; @@ -52,6 +55,7 @@ public void head(Node node, int depth) { if(node.nodeName().equals("#text")) { String tempText = node.toString(); + //replace no-break spaces because unescape doesn't deal with them tempText = StringEscapeUtils.unescapeHtml4(tempText); tempText = org.dbpedia.extraction.util.StringUtils.escape(tempText, replaceChars()); @@ -59,6 +63,7 @@ public void head(Node node, int depth) { //this text node is the content of an element: make a new nif:Word if(inLink) { + if(!tempText.trim().startsWith(this.context.wikipediaTemplateString + ":")) //not! { tempLink.setLinkText(tempText); @@ -70,11 +75,15 @@ public void head(Node node, int depth) { errors.add("found Template in resource: " + this.context.resource + ": " + tempText); return; } + } else paragraph.addText(tempText); - } else if(node.nodeName().equals("a")) { + } + + else if(node.nodeName().equals("a")) { + String link = node.attr("href"); //TODO central string management /** @@ -84,41 +93,62 @@ public void head(Node node, int depth) { * see Schopenhauer: https://en.wikipedia.org/w/api.php?uselang=en&format=xml&action=parse&prop=text&pageid=17340400 */ String linkPrefix = "/wiki/"; - // standard wikilinks - if (link.contains(linkPrefix) && !link.contains(":")) { - tempLink = new Link(); - String uri = cleanLink(node.attr("href"), false); - setUri(uri); - - //simple example of Help:IPA - // [ˈaɐ̯tʊɐ̯ ˈʃoːpn̩haʊ̯ɐ] - } else if (link.contains(linkPrefix) && link.contains(":")) { - /** - * TODO buggy - * Cleans up child nodes: difficult example - * /ˈʃpənh.ər/ - */ - if (!node.childNodes().isEmpty()) { - if (node.childNode(0).nodeName().equals("#text") && - node.childNode(0).toString().contains(":") && - !node.childNode(0).toString().contains("http")) { - tempLink = new Link(); - String uri = cleanLink(node.attr("href"), false); - setUri(uri); - } - } else { - skipLevel = depth; - } - //TODO add example - } else if (node.attr("class").equals("external text")) { - //don't skip external links - tempLink = new Link(); - String uri = cleanLink(node.attr("href"), true); - setUri(uri); - - } else { - skipLevel = depth; - } + // SPECIAL CASE FOR RESTAPI PARSING + + if(node.hasAttr("rel")){ + + String relType = node.attr("rel"); + if(relType.equals("mw:WikiLink")){ + + tempLink = new Link(); + String uri = cleanLink(node.attr("href"), false); + setUri(uri); + + + } else if (relType.equals("mw:ExtLink")) { + tempLink = new Link(); + String uri = cleanLink(node.attr("href"), true); + setUri(uri); + } + }else{ + // standard wikilinks + if (link.contains(linkPrefix) && !link.contains(":")) { + tempLink = new Link(); + String uri = cleanLink(node.attr("href"), false); + setUri(uri); + + //simple example of Help:IPA + // [ˈaɐ̯tʊɐ̯ ˈʃoːpn̩haʊ̯ɐ] + } else if (link.contains(linkPrefix) && link.contains(":")) { + /** + * TODO buggy + * Cleans up child nodes: difficult example + * /ˈʃpənh.ər/ + */ + if (!node.childNodes().isEmpty()) { + if (node.childNode(0).nodeName().equals("#text") && + node.childNode(0).toString().contains(":") && + !node.childNode(0).toString().contains("http")) { + tempLink = new Link(); + String uri = cleanLink(node.attr("href"), false); + setUri(uri); + } + } else { + skipLevel = depth; + } + //TODO add example + } else if (node.attr("class").equals("external text")) { + //don't skip external links + tempLink = new Link(); + String uri = cleanLink(node.attr("href"), true); + setUri(uri); + + } else { + skipLevel = depth; + } + } + + } else if(node.nodeName().equals("p")) { if(paragraph != null) { addParagraph("p"); @@ -136,6 +166,7 @@ public void head(Node node, int depth) { skipLevel = depth; } else if(node.nodeName().equals("span")) { //denote notes + if(node.attr("class").contains("notebegin")) addParagraph("note"); @@ -159,13 +190,21 @@ private void setUri(String uri) { private String cleanLink(String uri, boolean external) { if(!external) { + + String linkPrefix = "/wiki/"; + String linkPrefix2= "./"; + if(uri.contains(linkPrefix)){ + uri=uri.substring(uri.indexOf("?title=")+7); + } else if (uri.contains(linkPrefix2)) { + uri=uri.substring(uri.indexOf("?title=")+3); + } //TODO central string management if(!this.context.language.equals("en")) { - - uri="http://"+this.context.language+".dbpedia.org/resource/"+uri.substring(uri.indexOf("?title=")+7); + uri="http://"+this.context.language+".dbpedia.org/resource/"+uri; - } else { - uri="http://dbpedia.org/resource/"+uri.substring(uri.indexOf("?title=")+7); + } + else { + uri="http://dbpedia.org/resource/"+uri; } uri = uri.replace("&action=edit&redlink=1", ""); @@ -183,14 +222,15 @@ private String cleanLink(String uri, boolean external) { e.printStackTrace(); } } - return UriUtils.uriToDbpediaIri(uri).toString(); } public void tail(Node node, int depth) { - + + if(skipLevel>0) { if(skipLevel==depth) { + skipLevel = -1; return; } else { @@ -198,7 +238,7 @@ public void tail(Node node, int depth) { } } - if(node.nodeName().equals("a")&&inLink) { + if(node.nodeName().equals("a") && inLink) { inLink = false; paragraph.addLink(tempLink); tempLink = new Link(); @@ -210,6 +250,7 @@ else if(node.nodeName().equals("p") && paragraph != null) { addParagraph("p"); } else if(node.nodeName().equals("sup") && inSup) { + inSup = false; } else if(node.nodeName().matches("h\\d")) { diff --git a/core/src/main/resources/datasetdefinitions.json b/core/src/main/resources/datasetdefinitions.json index 521f573410..e93917a858 100644 --- a/core/src/main/resources/datasetdefinitions.json +++ b/core/src/main/resources/datasetdefinitions.json @@ -626,5 +626,21 @@ "traits":"LinkedData, Published", "defaultgraph": "dataset" } + }, + "history": { + "history_dataset": { + "name": "History Links", + "traits":"LinkedData, Published", + "desc": "All data related to history", + "defaultgraph": "dataset" + }, + "history_stats": { + "name": "History Stats", + "traits":"LinkedData, Published", + "desc": "Statistics related to edition statistics", + "defaultgraph": "dataset" + } + + } } diff --git a/core/src/main/scala/org/dbpedia/extraction/config/Config.scala b/core/src/main/scala/org/dbpedia/extraction/config/Config.scala old mode 100644 new mode 100755 index e10453e7d1..54ede5c402 --- a/core/src/main/scala/org/dbpedia/extraction/config/Config.scala +++ b/core/src/main/scala/org/dbpedia/extraction/config/Config.scala @@ -94,10 +94,10 @@ class Config(val configPath: String) extends } /** - * Number of parallel processes allowed. Depends on the number of cores, type of disk and IO speed + * Number of parallel processes allowed. Depends on the number of cores, type of disk, and IO speed * */ - lazy val parallelProcesses: Int = this.getProperty("parallel-processes", "4").trim.toInt + lazy val parallelProcesses: Int = this.getProperty("parallel-processes", "1").trim.toInt lazy val sparkMaster: String = Option(getString(this, "spark-master")).getOrElse("local[*]") @@ -259,18 +259,32 @@ class Config(val configPath: String) extends } lazy val mediawikiConnection: MediaWikiConnection = Try { + MediaWikiConnection( - apiUrl = this.getProperty("mwc-apiUrl", "").trim, + apiType = this.getProperty("mwc-type", "").trim, + apiUrl = this.getProperty("mwc-type").trim match { + case "rest" => this.getProperty("mwc-apiRestUrl", "").trim + case "mwc" => this.getProperty("mwc-apiMWCUrl", "").trim + case "local" => this.getProperty("mwc-apiLocalUrl", "").trim + }, maxRetries = this.getProperty("mwc-maxRetries", "4").trim.toInt, connectMs = this.getProperty("mwc-connectMs", "2000").trim.toInt, readMs = this.getProperty("mwc-readMs", "5000").trim.toInt, - sleepFactor = this.getProperty("mwc-sleepFactor", "1000").trim.toInt + sleepFactor = this.getProperty("mwc-sleepFactor", "1000").trim.toInt, + maxlag = this.getProperty("mwc-maxlag", "5").trim.toInt, + useragent = this.getProperty("mwc-useragent", "anonymous").trim, + gzip = this.getProperty("mwc-gzip","false").trim.toBoolean, + retryafter = this.getProperty("mwc-retryafter", "false").trim.toBoolean, + accept = this.getProperty("mwc-accept", "text/html").trim, + charset = this.getProperty("mwc-charset", "utf-8").trim, + profile = this.getProperty("mwc-profile", "https://www.mediawiki.org/wiki/Specs/HTML/2.1.0").trim ) } match{ case Success(s) => s - case Failure(f) => throw new IllegalArgumentException("Not all necessary parameters for the 'MediaWikiConnection' class were provided or could not be parsed to the expected type.", f) + case Failure(f) => throw new IllegalArgumentException("Some parameters necessary for the 'MediaWikiConnection' class were not provided or could not be parsed to the expected type.", f) } + lazy val abstractParameters: AbstractParameters = Try { AbstractParameters( abstractQuery = this.getProperty("abstract-query", "").trim, @@ -364,12 +378,20 @@ object Config{ * @param sleepFactor */ case class MediaWikiConnection( - apiUrl: String, - maxRetries: Int, - connectMs: Int, - readMs: Int, - sleepFactor: Int - ) + apiType: String, + apiUrl: String, + maxRetries: Int, + connectMs: Int, + readMs: Int, + sleepFactor: Int, + maxlag: Int, + useragent: String, + gzip: Boolean, + retryafter: Boolean, + accept : String, + charset: String, + profile: String + ) case class AbstractParameters( abstractQuery: String, diff --git a/core/src/main/scala/org/dbpedia/extraction/config/provenance/DBpediaDatasets.scala b/core/src/main/scala/org/dbpedia/extraction/config/provenance/DBpediaDatasets.scala index a040316c5b..0d9d32e263 100644 --- a/core/src/main/scala/org/dbpedia/extraction/config/provenance/DBpediaDatasets.scala +++ b/core/src/main/scala/org/dbpedia/extraction/config/provenance/DBpediaDatasets.scala @@ -278,8 +278,14 @@ object DBpediaDatasets extends java.io.Serializable val CitatedFacts: Dataset = datasets("cited_facts") //TODO add description @Dimitris //val CitationTypes = datasets.get("citation_types").get + /** + * History + * + */ + val HistoryData: Dataset = datasets("history_dataset") + val HistoryStats: Dataset = datasets("history_stats") - /** + /** * misc */ val MainDataset: Dataset = datasets("main_dataset") diff --git a/core/src/main/scala/org/dbpedia/extraction/mappings/NifExtractor.scala b/core/src/main/scala/org/dbpedia/extraction/mappings/NifExtractor.scala old mode 100644 new mode 100755 index 28e7b533db..5d84fe96cc --- a/core/src/main/scala/org/dbpedia/extraction/mappings/NifExtractor.scala +++ b/core/src/main/scala/org/dbpedia/extraction/mappings/NifExtractor.scala @@ -3,10 +3,10 @@ package org.dbpedia.extraction.mappings import org.dbpedia.extraction.annotations.ExtractorAnnotation import org.dbpedia.extraction.config.Config import org.dbpedia.extraction.config.provenance.DBpediaDatasets -import org.dbpedia.extraction.nif.WikipediaNifExtractor +import org.dbpedia.extraction.nif.{WikipediaNifExtractorRest, WikipediaNifExtractor} import org.dbpedia.extraction.ontology.Ontology import org.dbpedia.extraction.transform.Quad -import org.dbpedia.extraction.util.{Language, MediaWikiConnector} +import org.dbpedia.extraction.util.{Language, MediawikiConnectorConfigured, MediaWikiConnectorRest} import org.dbpedia.extraction.wikiparser._ import scala.language.reflectiveCalls @@ -41,12 +41,11 @@ class NifExtractor( protected val writeLinkAnchors: Boolean = context.configFile.nifParameters.writeLinkAnchor protected val writeStrings: Boolean = context.configFile.nifParameters.writeAnchor protected val shortAbstractLength: Int = context.configFile.abstractParameters.shortAbstractMinLength - + protected val abstractsOnly : Boolean = context.configFile.nifParameters.abstractsOnly protected val dbpediaVersion: String = context.configFile.dbPediaVersion override val datasets = Set(DBpediaDatasets.NifContext,DBpediaDatasets.NifPageStructure,DBpediaDatasets.NifTextLinks,DBpediaDatasets.LongAbstracts, DBpediaDatasets.ShortAbstracts, DBpediaDatasets.RawTables, DBpediaDatasets.Equations) - private val mwConnector = new MediaWikiConnector(context.configFile.mediawikiConnection, context.configFile.nifParameters.nifTags.split(",")) override def extract(pageNode : WikiPage, subjectUri : String): Seq[Quad] = { @@ -56,13 +55,24 @@ class NifExtractor( //Don't extract abstracts from redirect and disambiguation pages if(pageNode.isRedirect || pageNode.isDisambiguation) return Seq.empty - //Retrieve page text - val html = mwConnector.retrievePage(pageNode.title, apiParametersFormat, pageNode.isRetry) match{ - case Some(t) => NifExtractor.postProcessExtractedHtml(pageNode.title, t) - case None => return Seq.empty - } + var html = "" + val mwcType = context.configFile.mediawikiConnection.apiType - new WikipediaNifExtractor(context, pageNode).extractNif(html)(err => pageNode.addExtractionRecord(err)) + if (mwcType == "rest") { + val mwConnector = new MediaWikiConnectorRest(context.configFile.mediawikiConnection, context.configFile.nifParameters.nifTags.split(",")) + html = mwConnector.retrievePage(pageNode.title, apiParametersFormat, pageNode.isRetry) match { + case Some(t) => NifExtractor.postProcessExtractedHtml(pageNode.title, t) + case None => return Seq.empty + } + new WikipediaNifExtractorRest(context, pageNode).extractNif(html)(err => pageNode.addExtractionRecord(err)) + } else { + val mwConnector = new MediawikiConnectorConfigured(context.configFile.mediawikiConnection, context.configFile.nifParameters.nifTags.split(",")) + html = mwConnector.retrievePage(pageNode.title, apiParametersFormat, pageNode.isRetry) match { + case Some(t) => NifExtractor.postProcessExtractedHtml(pageNode.title, t) + case None => return Seq.empty + } + new WikipediaNifExtractor(context, pageNode).extractNif(html)(err => pageNode.addExtractionRecord(err)) + } } } diff --git a/core/src/main/scala/org/dbpedia/extraction/mappings/PlainAbstractExtractor.scala b/core/src/main/scala/org/dbpedia/extraction/mappings/PlainAbstractExtractor.scala old mode 100644 new mode 100755 index 59cf57d029..87acba9558 --- a/core/src/main/scala/org/dbpedia/extraction/mappings/PlainAbstractExtractor.scala +++ b/core/src/main/scala/org/dbpedia/extraction/mappings/PlainAbstractExtractor.scala @@ -7,7 +7,7 @@ import org.dbpedia.extraction.config.provenance.DBpediaDatasets import org.dbpedia.extraction.ontology.Ontology import org.dbpedia.extraction.transform.{Quad, QuadBuilder} import org.dbpedia.extraction.util.abstracts.AbstractUtils -import org.dbpedia.extraction.util.{Language, MediaWikiConnector, WikiUtil} +import org.dbpedia.extraction.util.{Language, MediawikiConnectorConfigured} import org.dbpedia.extraction.wikiparser._ import scala.language.reflectiveCalls @@ -63,7 +63,6 @@ extends WikiPageExtractor override val datasets = Set(DBpediaDatasets.LongAbstracts, DBpediaDatasets.ShortAbstracts) - private val mwConnector = new MediaWikiConnector(context.configFile.mediawikiConnection, context.configFile.abstractParameters.abstractTags.split(",")) override def extract(pageNode : WikiPage, subjectUri: String): Seq[Quad] = { @@ -79,7 +78,8 @@ extends WikiPageExtractor //val abstractWikiText = getAbstractWikiText(pageNode) // if(abstractWikiText == "") return Seq.empty - //Retrieve page text + + val mwConnector = new MediawikiConnectorConfigured(context.configFile.mediawikiConnection, context.configFile.abstractParameters.abstractTags.split(",")) val text = mwConnector.retrievePage(pageNode.title, apiParametersFormat, pageNode.isRetry) match { case Some(t) => PlainAbstractExtractor.postProcessExtractedHtml(pageNode.title, replacePatterns(t)) case None => return Seq.empty diff --git a/core/src/main/scala/org/dbpedia/extraction/nif/HtmlNifExtractor.scala b/core/src/main/scala/org/dbpedia/extraction/nif/HtmlNifExtractor.scala old mode 100644 new mode 100755 index c886538d6f..90e70ae151 --- a/core/src/main/scala/org/dbpedia/extraction/nif/HtmlNifExtractor.scala +++ b/core/src/main/scala/org/dbpedia/extraction/nif/HtmlNifExtractor.scala @@ -61,28 +61,36 @@ abstract class HtmlNifExtractor(nifContextIri: String, language: String, nifPara var context = "" var offset = 0 + val quads = for(section <- sections) yield { extractTextFromHtml(section, new NifExtractorContext(language, subjectIri, templateString)) match { case Success(extractionResults) => { sectionMap.put(section, extractionResults) sectionMap.put(extractionResults, extractionResults) + if (context.length != 0) { context = context + "\n\n" offset += 2 } + var quads = if(nifParameters.abstractsOnly) Seq() else makeStructureElements(extractionResults, nifContextIri, graphIri, offset) + offset += extractionResults.getExtractedLength context += extractionResults.getExtractedText //collect additional triples quads ++= extendSectionTriples(extractionResults, graphIri, subjectIri) + + //forward exceptions extractionResults.errors.foreach(exceptionHandle(_, RecordSeverity.Warning, null)) + + quads } case Failure(e) => { @@ -143,6 +151,7 @@ abstract class HtmlNifExtractor(nifContextIri: String, language: String, nifPara triples += nifStructure(p.getSectionIri(), RdfNamespace.NIF.append("nextSection"), sectionUri, sourceUrl, null) case None => } + section.getTop match{ case Some(p) => triples += nifStructure(sectionUri, RdfNamespace.NIF.append("superString"), p.getSectionIri(), sourceUrl, null) @@ -159,12 +168,17 @@ abstract class HtmlNifExtractor(nifContextIri: String, language: String, nifPara triples += nifStructure(contextUri, RdfNamespace.NIF.append("lastSection"), sectionUri, sourceUrl, null) } else{ - triples += nifStructure(sectionUri, RdfNamespace.NIF.append("superString"), section.getTop.get.getSectionIri(), sourceUrl, null) - triples += nifStructure(section.getTop.get.getSectionIri(), RdfNamespace.NIF.append("hasSection"), sectionUri, sourceUrl, null) - if (section.prev.isEmpty) - triples += nifStructure(section.getTop.get.getSectionIri(), RdfNamespace.NIF.append("firstSection"), sectionUri, sourceUrl, null) - if (section.next.isEmpty) - triples += nifStructure(section.getTop.get.getSectionIri(), RdfNamespace.NIF.append("lastSection"), sectionUri, sourceUrl, null) + // ADDED THIS TEST BECAUSE WHEN THIS IS A PAGE END IT CAUSES PROBLEMS (top not empty but no getTop) + if(section.getTop != None) { + triples += nifStructure(sectionUri, RdfNamespace.NIF.append("superString"), section.getTop.get.getSectionIri(), sourceUrl, null) + triples += nifStructure(section.getTop.get.getSectionIri(), RdfNamespace.NIF.append("hasSection"), sectionUri, sourceUrl, null) + if (section.prev.isEmpty) + triples += nifStructure(section.getTop.get.getSectionIri(), RdfNamespace.NIF.append("firstSection"), sectionUri, sourceUrl, null) + if (section.next.isEmpty) + triples += nifStructure(section.getTop.get.getSectionIri(), RdfNamespace.NIF.append("lastSection"), sectionUri, sourceUrl, null) + } + + } //further specifying paragraphs of every section @@ -341,7 +355,9 @@ abstract class HtmlNifExtractor(nifContextIri: String, language: String, nifPara } protected def getJsoupDoc(html: String): Document = { - val doc = Jsoup.parse(html.replaceAll("\n", "")) + + var html_clean=cleanHtml(html) + val doc = Jsoup.parse( html_clean) //delete queries for(query <- cssSelectorConfigMap.removeElements) diff --git a/core/src/main/scala/org/dbpedia/extraction/nif/WikipediaNifExtractor.scala b/core/src/main/scala/org/dbpedia/extraction/nif/WikipediaNifExtractor.scala old mode 100644 new mode 100755 index 64764d3bf5..3f99c16854 --- a/core/src/main/scala/org/dbpedia/extraction/nif/WikipediaNifExtractor.scala +++ b/core/src/main/scala/org/dbpedia/extraction/nif/WikipediaNifExtractor.scala @@ -210,15 +210,15 @@ class WikipediaNifExtractor( tocMap } - private def isWikiPageEnd(node: Node): Boolean ={ + protected def isWikiPageEnd(node: Node): Boolean ={ cssSelectorTest(node, cssSelectorConfigMap.findPageEnd) } - private def isWikiToc(node: Node): Boolean ={ + protected def isWikiToc(node: Node): Boolean ={ cssSelectorTest(node, cssSelectorConfigMap.findToc) } - private def isWikiNextTitle(node: Node): Boolean ={ + protected def isWikiNextTitle(node: Node): Boolean ={ cssSelectorTest(node, cssSelectorConfigMap.nextTitle) } diff --git a/core/src/main/scala/org/dbpedia/extraction/nif/WikipediaNifExtractorRest.scala b/core/src/main/scala/org/dbpedia/extraction/nif/WikipediaNifExtractorRest.scala new file mode 100755 index 0000000000..268dac376f --- /dev/null +++ b/core/src/main/scala/org/dbpedia/extraction/nif/WikipediaNifExtractorRest.scala @@ -0,0 +1,137 @@ +package org.dbpedia.extraction.nif + +import org.dbpedia.extraction.config.Config +import org.dbpedia.extraction.ontology.Ontology +import org.dbpedia.extraction.util.Language +import org.dbpedia.extraction.wikiparser.WikiPage +import org.jsoup.nodes.{Document, Element, Node} +import scala.collection.convert.decorateAsScala._ +import scala.collection.mutable +import scala.collection.mutable.ListBuffer +import scala.language.reflectiveCalls + +/** + * Created by Chile on 1/19/2017. + */ +class WikipediaNifExtractorRest( + context : { + def ontology : Ontology + def language : Language + def configFile : Config + }, + wikiPage: WikiPage + ) + extends WikipediaNifExtractor ( context ,wikiPage) { + + + /** + * subtracts the relevant text + * @param html + * @return list of sections + */ + override def getRelevantParagraphs (html: String): mutable.ListBuffer[PageSection] = { + + val tocMap = new mutable.ListBuffer[PageSection]() + val doc: Document = getJsoupDoc(html) + + var nodes = doc.select("body").first.childNodes.asScala + + val currentSection = new ListBuffer[Int]() //keeps track of section number + currentSection.append(0) //initialize on abstract section + + def getSection(currentNodes : scala.collection.mutable.Buffer[Node]) : Unit = { + //look for the next tag + + var subnodes = currentNodes.head.childNodes().asScala + subnodes = subnodes.dropWhile(currentNodes => !currentNodes.nodeName().matches("h\\d") && !currentNodes.nodeName().matches("section")) + var processEnd=false + while (subnodes.nonEmpty && !processEnd) { + if (subnodes.head.nodeName().matches("h\\d")) { + val title = subnodes.headOption + processEnd=super.isWikiPageEnd(subnodes.head) + + title match { + + case Some(t) if super.isWikiNextTitle(t) && !processEnd=> + + //calculate the section number by looking at the

to

tags + val depth = Integer.parseInt(t.asInstanceOf[org.jsoup.nodes.Element].tagName().substring(1)) - 1 + if (currentSection.size < depth) //first subsection + currentSection.append(1) + else { + //delete last entries depending on the depth difference to the last section + val del = currentSection.size - depth + 1 + val zw = currentSection(currentSection.size - del) + currentSection.remove(currentSection.size - del, del) + //if its just another section of the same level -> add one + if (currentSection.size == depth - 1) + currentSection.append(zw + 1) + } + + subnodes = subnodes.drop(1) + + val section = new PageSection( + //previous section (if on same depth level + prev = currentSection.last match { + case x: Int if x > 1 => tocMap.lastOption + case _ => None + }, + //super section + top = tocMap.find(x => currentSection.size > 1 && x.ref == currentSection.slice(0, currentSection.size - 1).map(n => "." + n.toString).foldRight("")(_ + _).substring(1)), + next = None, + sub = None, + id = t.attr("id"), + title = t.asInstanceOf[Element].text(), + //merge section numbers separated by a dot + ref = currentSection.map(n => "." + n.toString).foldRight("")(_ + _).substring(1), + tableCount = 0, + equationCount = 0, + //take all following tags until you hit another title or end of content + content = Seq(t) ++ subnodes.takeWhile(node => !node.nodeName().matches("h\\d") && !node.nodeName().matches("section")) + ) + + tocMap.append(section) + case None => processEnd=true + case _ => processEnd=true + } + } else if (subnodes.head.nodeName().matches("section")) { + getSection(subnodes) + subnodes = subnodes.drop(1) + } + + subnodes = subnodes.dropWhile(node => !node.nodeName().matches("h\\d") && !node.nodeName().matches("section")) + } + + } + + + val abstractSect=doc.select("body").select("section").first.childNodes.asScala //get first section + val ab = abstractSect.filter(node => node.nodeName() == "p") //move cursor to abstract + + nodes = nodes.drop(1) + + tocMap.append(new PageSection( //save abstract (abstract = section 0) + prev = None, + top = None, + next = None, + sub = None, + id = "abstract", + title = "abstract", + ref = currentSection.map(n => "." + n.toString).foldRight("")(_+_).substring(1), + tableCount=0, + equationCount = 0, + content = ab + )) + + if(!abstractsOnly) { + while (nodes.nonEmpty) { + getSection(nodes) + nodes = nodes.drop(1) + } + } + tocMap + } + + + +} diff --git a/core/src/main/scala/org/dbpedia/extraction/util/MediaWikiConnector.scala b/core/src/main/scala/org/dbpedia/extraction/util/MediaWikiConnector.scala old mode 100644 new mode 100755 index 68e903c239..23d619e96e --- a/core/src/main/scala/org/dbpedia/extraction/util/MediaWikiConnector.scala +++ b/core/src/main/scala/org/dbpedia/extraction/util/MediaWikiConnector.scala @@ -17,6 +17,7 @@ import org.slf4j.LoggerFactory * @param connectionConfig - Collection of parameters necessary for API requests (see Config.scala) * @param xmlPath - An array of XML tag names leading from the root (usually 'api') to the intended content of the response XML (depending on the request query used) */ +@deprecated("replaced by MediaWikiConnectorAbstract classes", "2022-09") class MediaWikiConnector(connectionConfig: MediaWikiConnection, xmlPath: Seq[String]) { protected val log = LoggerFactory.getLogger(classOf[MediaWikiConnector]) diff --git a/core/src/main/scala/org/dbpedia/extraction/util/MediaWikiConnectorAbstract.scala b/core/src/main/scala/org/dbpedia/extraction/util/MediaWikiConnectorAbstract.scala new file mode 100755 index 0000000000..f6037bed90 --- /dev/null +++ b/core/src/main/scala/org/dbpedia/extraction/util/MediaWikiConnectorAbstract.scala @@ -0,0 +1,78 @@ +package org.dbpedia.extraction.util + +import org.dbpedia.extraction.config.Config.MediaWikiConnection +import org.dbpedia.extraction.wikiparser.WikiTitle +import org.dbpedia.util.text.html.{HtmlCoder, XmlCodes} +import org.slf4j.LoggerFactory + +import java.io.{InputStream, OutputStreamWriter} +import java.net.{HttpURLConnection, URL} +import java.time.temporal.ChronoUnit +import scala.util.{Failure, Success, Try} + +/** + * The Mediawiki API connector + * @param connectionConfig - Collection of parameters necessary for API requests (see Config.scala) + * @param xmlPath - An array of XML tag names leading from the root (usually 'api') to the intended content of the response XML (depending on the request query used) + */ +abstract class MediaWikiConnectorAbstract(connectionConfig: MediaWikiConnection, xmlPath: Seq[String]) { + + protected val log = LoggerFactory.getLogger(classOf[MediaWikiConnectorAbstract]) + //protected def apiUrl: URL = new URL(connectionConfig.apiUrl) + //require(Try{apiUrl.openConnection().connect()} match {case Success(x)=> true case Failure(e) => false}, "can not connect to the apiUrl") + + protected val maxRetries: Int = connectionConfig.maxRetries + require(maxRetries <= 10 && maxRetries > 0, "maxRetries has to be in the interval of [1,10]") + + protected val retryAfter: Boolean = connectionConfig.retryafter + /** timeout for connection to web server, milliseconds */ + protected val connectMs: Int = connectionConfig.connectMs + require(connectMs > 200, "connectMs shall be more than 200 ms!") + + /** timeout for result from web server, milliseconds */ + protected val readMs: Int = connectionConfig.readMs + require(readMs > 1000, "readMs shall be more than 1000 ms!") + + /** sleep between retries, milliseconds, multiplied by CPU load */ + protected val sleepFactorMs: Int = connectionConfig.sleepFactor + require(sleepFactorMs > 200, "sleepFactorMs shall be more than 200 ms!") + + //protected val xmlPath = connectionConfig.abstractTags.split(",").map(_.trim) + + private val osBean = java.lang.management.ManagementFactory.getOperatingSystemMXBean + private val availableProcessors = osBean.getAvailableProcessors + + protected val CHARACTERS_TO_ESCAPE = List( + (";", "%3B"), + ("/", "%2F"), + ("?", "%3F"), + (":", "%3A"), + ("@", "%40"), + ("&", "%26"), + ("=", "%3D"), + ("+", "%2B"), + (",", "%2C"), + ("$", "%24") + ) + /** + * Retrieves a Wikipedia page. + * + * @param pageTitle The encoded title of the page + * @return The page as an Option + */ + def retrievePage(pageTitle : WikiTitle, apiParameterString: String, isRetry: Boolean = false) : Option[String] + + def decodeHtml(text: String): Try[String] = { + val coder = new HtmlCoder(XmlCodes.NONE) + Try(coder.code(text)) + } + + /** + * Get the parsed and cleaned abstract text from the MediaWiki instance input stream. + * It returns + * ABSTRACT_TEXT + * /// ABSTRACT_TEXT + */ + protected def readInAbstract(inputStream : InputStream) : Try[String] + +} diff --git a/core/src/main/scala/org/dbpedia/extraction/util/MediaWikiConnectorRest.scala b/core/src/main/scala/org/dbpedia/extraction/util/MediaWikiConnectorRest.scala new file mode 100755 index 0000000000..c7dfa164dc --- /dev/null +++ b/core/src/main/scala/org/dbpedia/extraction/util/MediaWikiConnectorRest.scala @@ -0,0 +1,156 @@ +package org.dbpedia.extraction.util + +import org.dbpedia.extraction.config.Config.MediaWikiConnection +import org.dbpedia.extraction.wikiparser.WikiTitle +import java.io.InputStream +import java.net.{HttpURLConnection, URL} +import java.time.temporal.ChronoUnit +import scala.collection.JavaConverters._ +import scala.math.pow +import javax.xml.ws.WebServiceException +import scala.io.Source +import scala.util.{Failure, Success, Try} + +/** + * The Mediawiki API connector + * @param connectionConfig - Collection of parameters necessary for API requests (see Config.scala) + * @param xmlPath - An array of XML tag names leading from the root (usually 'api') to the intended content of the response XML (depending on the request query used) + */ +class MediaWikiConnectorRest(connectionConfig: MediaWikiConnection, xmlPath: Seq[String]) extends MediaWikiConnectorAbstract(connectionConfig, xmlPath ) { + + protected val apiAccept: String = connectionConfig.accept + protected val apiCharset: String = connectionConfig.charset + protected val apiProfile: String = connectionConfig.profile + protected val userAgent: String = connectionConfig.useragent + + + /** + * Retrieves a Wikipedia page. + * + * @param pageTitle The encoded title of the page + * @return The page as an Option + */ + override def retrievePage(pageTitle: WikiTitle, apiParameterString: String, isRetry: Boolean = false): Option[String] = { + val retryFactor = if (isRetry) 2 else 1 + var SuccessParsing = false + var parsedAnswer: Try[String] = null + var waitingTime = sleepFactorMs + + + //val apiUrl: URL = new URL(connectionConfig.apiUrl.replace("{{LANG}}",pageTitle.language.wikiCode)) + // The encoded title may contain some URI-escaped characters (e.g. "5%25-Klausel"), + // so we can't use URLEncoder.encode(). But "&" is not escaped, so we do this here. + // TODO: test this in detail!!! there may be other characters that need to be escaped. + // TODO central string management + var titleParam = pageTitle.encodedWithNamespace + this.CHARACTERS_TO_ESCAPE foreach { + case (search, replacement) => titleParam = titleParam.replace(search, replacement); + } + //replaces {{lang}} with the language + val url: String = connectionConfig.apiUrl.replace("{{LANG}}", pageTitle.language.wikiCode) + + val parameters = "redirect=true" + val apiUrl: URL = new URL(url.concat(titleParam).concat("?"+parameters)) + + + + //println(s"mediawikiurl: $apiUrl") + + + for (counter <- 1 to maxRetries) { + + val conn = apiUrl.openConnection + conn.setDoOutput(true) // POST REQUEST to verify + + val start = java.time.LocalTime.now() + + conn.setConnectTimeout(retryFactor * connectMs) + conn.setReadTimeout(retryFactor * readMs) + conn.setRequestProperty("accept", apiAccept) + conn.setRequestProperty("charset", apiCharset) + conn.setRequestProperty("profile", apiProfile) + conn.setRequestProperty("Accept-Language", pageTitle.language.wikiCode) + conn.setRequestProperty("User-Agent", userAgent) + + val inputStream = conn.getInputStream + val answerHeader = conn.getHeaderFields() + val answerClean = answerHeader.asScala.filterKeys(_ != null) + + if(conn.getHeaderField(null).contains("HTTP/1.1 200 OK") ){ + + + val end = java.time.LocalTime.now() + conn match { + case connection: HttpURLConnection => + log.debug("Request type: " + connection.getRequestMethod + "; URL: " + connection.getURL + + "; Parameters: " + parameters + "; HTTP code: " + connection.getHeaderField(null) + + "; Request time: " + start + "; Response time: " + end + "; Time needed: " + + start.until(end, ChronoUnit.MILLIS)) + case _ => + } + // Read answer + parsedAnswer = readInAbstract(inputStream) + SuccessParsing = parsedAnswer match { + case Success(str) => true + case Failure(_) => false + } + } + if(!SuccessParsing){ + var sleepMs = sleepFactorMs + if (retryAfter && answerClean.contains("retry-after")) { + //println("GIVEN RETRY-AFTER > "+ answer_clean("retry-after").get(0)) + waitingTime = Integer.parseInt(answerClean("retry-after").get(0)) * 1000 + + // exponential backoff test + sleepMs = pow(waitingTime, counter).toInt + //println("WITH EXPONENTIAL BACK OFF" + counter) + //println("Sleeping time double >>>>>>>>>>>" + pow(waiting_time, counter)) + //println("Sleeping time int >>>>>>>>>>>" + sleepMs) + + } + if (counter < maxRetries) + Thread.sleep(sleepMs) + else + throw new Exception("Timeout error retrieving abstract of " + pageTitle + " in " + counter + " tries.") + } else { + + + //println(s"mediawikiurl: $apiUrl?$parameters") + return parsedAnswer match { + case Success(str) => Option(str) + case Failure(e) => throw e + } + } + + } + throw new Exception("Could not retrieve abstract after " + maxRetries + " tries for page: " + pageTitle.encoded) + } + + + /** + * Get the parsed and cleaned abstract text from the MediaWiki instance input stream. + * It returns + * ABSTRACT_TEXT + * /// ABSTRACT_TEXT + */ + override def readInAbstract(inputStream: InputStream): Try[String] = { + // for XML format + try{ + val htmlAnswer = Source.fromInputStream(inputStream, "UTF-8").getLines().mkString("") + //var text = XML.loadString(xmlAnswer).asInstanceOf[NodeSeq] + + //test for errors + val pattern = "(]+info=\")([^\\\"]+)".r + if (htmlAnswer.contains("error code=")) { + return Failure(new WebServiceException(pattern.findFirstMatchIn(htmlAnswer) match { + case Some(m) => m.group(2) + case None => "An unknown exception occurred while retrieving the source XML from the mediawiki API." + })) + } + + Success(htmlAnswer) + } + + + } +} \ No newline at end of file diff --git a/core/src/main/scala/org/dbpedia/extraction/util/MediawikiConnectorConfigured.scala b/core/src/main/scala/org/dbpedia/extraction/util/MediawikiConnectorConfigured.scala new file mode 100755 index 0000000000..d6187ca17b --- /dev/null +++ b/core/src/main/scala/org/dbpedia/extraction/util/MediawikiConnectorConfigured.scala @@ -0,0 +1,227 @@ +package org.dbpedia.extraction.util + +import org.dbpedia.extraction.config.Config.MediaWikiConnection +import org.dbpedia.extraction.wikiparser.WikiTitle + +import java.io.{InputStream, OutputStreamWriter} +import java.net.{HttpURLConnection, URL} +import java.time.temporal.ChronoUnit +import java.util.zip._ +import scala.math.pow +import javax.xml.ws.WebServiceException +import scala.io.Source +import scala.util.{Failure, Success, Try} +import scala.collection.JavaConverters._ +/** + * The Mediawiki API connector + * @param connectionConfig - Collection of parameters necessary for API requests (see Config.scala) + * @param xmlPath - An array of XML tag names leading from the root (usually 'api') to the intended content of the response XML (depending on the request query used) + */ +class MediawikiConnectorConfigured(connectionConfig: MediaWikiConnection, xmlPath: Seq[String]) extends MediaWikiConnectorAbstract(connectionConfig, xmlPath ){ + + protected val userAgent: String = connectionConfig.useragent + require(userAgent != "" , "userAgent must be declared !") + protected val gzipCall: Boolean = connectionConfig.gzip + protected val maxLag: Int = connectionConfig.maxlag + private val osBean = java.lang.management.ManagementFactory.getOperatingSystemMXBean + private val availableProcessors = osBean.getAvailableProcessors + + /** + * Retrieves a Wikipedia page. + * + * @param pageTitle The encoded title of the page + * @return The page as an Option + */ + override def retrievePage(pageTitle : WikiTitle, apiParameterString: String, isRetry: Boolean = false) : Option[String] = + { + val retryFactor = if(isRetry) 2 else 1 + var waitingTime = sleepFactorMs + var SuccessParsing = false + var currentMaxLag= maxLag + var gzipok = true + var parsedAnswer: Try[String] = null + //replaces {{lang}} with the language + val apiUrl: URL = new URL(connectionConfig.apiUrl.replace("{{LANG}}",pageTitle.language.wikiCode)) + + // The encoded title may contain some URI-escaped characters (e.g. "5%25-Klausel"), + // so we can't use URLEncoder.encode(). But "&" is not escaped, so we do this here. + // TODO: test this in detail!!! there may be other characters that need to be escaped. + // TODO central string management + var titleParam = pageTitle.encodedWithNamespace + this.CHARACTERS_TO_ESCAPE foreach { + case (search, replacement) => titleParam = titleParam.replace(search, replacement); + } + + + + for(counter <- 1 to maxRetries) + { + // Fill parameters + var parameters = "uselang=" + pageTitle.language.wikiCode + + parameters += (pageTitle.id match { + case Some(id) if apiParameterString.contains("%d") => + apiParameterString.replace("&page=%s", "").format(id) + case _ => apiParameterString.replaceAll("&pageid=[^&]+", "").format(titleParam) + }) + //parameters += apiParameterString.replaceAll("&pageid=[^&]+", "").format(titleParam) + parameters += "&maxlag=" + currentMaxLag + // NEED TO BE ABLE TO MANAGE parsing + //parameters += "&redirects=1" + + + val conn = apiUrl.openConnection + val start = java.time.LocalTime.now() + conn.setDoOutput(true) + conn.setConnectTimeout(retryFactor * connectMs) + conn.setReadTimeout(retryFactor * readMs) + conn.setRequestProperty("User-Agent",userAgent) + if ( gzipCall ) conn.setRequestProperty("Accept-Encoding","gzip") + + //println(s"mediawikiurl: $apiUrl?$parameters") + val writer = new OutputStreamWriter(conn.getOutputStream) + writer.write(parameters) + writer.flush() + writer.close() + var answerHeader = conn.getHeaderFields(); + var answerClean = answerHeader.asScala.filterKeys(_ != null); + + // UNCOMMENT FOR LOG + /* var mapper = new ObjectMapper() + mapper.registerModule(DefaultScalaModule) + mapper.configure(SerializationFeature.WRITE_NULL_MAP_VALUES, false) + + + answer_clean += ("parameters" -> util.Arrays.asList(parameters) ) + answer_clean += ("url" -> util.Arrays.asList(apiUrl.toString) ) + answer_clean += ("titleParam" -> util.Arrays.asList(titleParam.toString) ) + answer_clean += ("status" -> util.Arrays.asList(conn.getHeaderField(null))) + + var jsonString = mapper.writeValueAsString(answer_clean); + + log2.info(jsonString)*/ + + if(conn.getHeaderField(null).contains("HTTP/1.1 200 OK") ){ + var inputStream = conn.getInputStream + // IF GZIP + if ( gzipCall ){ + try { + inputStream = new GZIPInputStream(inputStream) + }catch { + case x:ZipException =>{ + gzipok = false + } + } + } + val end = java.time.LocalTime.now() + conn match { + case connection: HttpURLConnection => { + log.debug("Request type: "+ connection.getRequestMethod + "; URL: " + connection.getURL + + "; Parameters: " + parameters +"; HTTP code: "+ connection.getHeaderField(null) + + "; Request time: "+start+"; Response time: " + end + "; Time needed: " + + start.until(end, ChronoUnit.MILLIS)) + } + case _ => + } + + // Read answer + parsedAnswer = readInAbstract(inputStream) + SuccessParsing = parsedAnswer match { + case Success(str) => true + case Failure(e) => false + } + + + } + if(!SuccessParsing){ + //println("ERROR DURING PARSING" ) + + var sleepMs = sleepFactorMs + if (retryAfter && answerClean.contains("retry-after") ){ + //println("GIVEN RETRY-AFTER > "+ answer_clean("retry-after").get(0)) + waitingTime = Integer.parseInt(answerClean("retry-after").get(0)) * 1000 + + // exponential backoff test + sleepMs = pow(waitingTime, counter).toInt + //println("WITH EXPONENTIAL BACK OFF" + counter) + //println("Sleeping time double >>>>>>>>>>>" + pow(waiting_time, counter)) + //println("Sleeping time int >>>>>>>>>>>" + sleepMs) + if (currentMaxLag < 15) { + // INCREMENT MaxLag + currentMaxLag = currentMaxLag + 1 + //println("> INCREASE MAX LAG : " + currentMaxLag) + } + if (counter < maxRetries) + Thread.sleep(sleepMs) + else + throw new Exception("Timeout error retrieving abstract of " + pageTitle + " in " + counter + " tries.") + } + + + }else{ + + + //println(s"mediawikiurl: $apiUrl?$parameters") + return parsedAnswer match { + case Success(str) => Option(str) + case Failure(e) => throw e + } + } + + } + throw new Exception("Could not retrieve abstract after " + maxRetries + " tries for page: " + pageTitle.encoded) + + } + + + + /** + * Get the parsed and cleaned abstract text from the MediaWiki instance input stream. + * It returns + * ABSTRACT_TEXT + * /// ABSTRACT_TEXT + */ + override def readInAbstract(inputStream : InputStream) : Try[String] = + { + // for XML format + var xmlAnswer = Source.fromInputStream(inputStream, "UTF-8").getLines().mkString("") + //var text = XML.loadString(xmlAnswer).asInstanceOf[NodeSeq] + + //test for errors + val pattern = "(]+info=\")([^\\\"]+)".r + if(xmlAnswer.contains("error code=")) { + return Failure(new WebServiceException(pattern.findFirstMatchIn(xmlAnswer) match { + case Some(m) => m.group(2) + case None => "An unknown exception occurred while retrieving the source XML from the mediawiki API." + })) + } + + + // REDIRECT CASE + // Implemented but useful? + //xmlAnswer = xmlAnswer.replaceAll("", "") + /*if (xmlAnswer.contains("" ) && xmlAnswer.contains("")) { + val indexBegin = xmlAnswer.indexOf("") + val indexEnd = xmlAnswer.indexOf("", indexBegin + "".length()) + xmlAnswer=xmlAnswer.substring(0, indexBegin)+xmlAnswer.substring(indexEnd + 1, xmlAnswer.length()) + }*/ + + //get rid of surrounding tags + // I limited the regex and I added here a second replace because some pages like the following returned malformed triples : + // "xml version=\"1.0\"?>123Movies, GoMovies, GoStream, MeMovies or 123movieshub was a network of file streaming websites operating from Vietnam which allowed users to watch films for free. It was called the world's \"most popular illegal site\" by the Motion Picture Association of America (MPAA) in March 2018, before being shut down a few weeks later on foot of a criminal investigation by the Vietnamese authorities. As of July 2022, the network is still active via clone sites."@en + + xmlAnswer = xmlAnswer.replaceFirst("""<\?xml version=\"\d.\d\"\?>""", "").replaceFirst("""xml version=\"\d.\d\"\?>""","") + + for (child <- xmlPath) { + if (xmlAnswer.contains("<" + child) && xmlAnswer.contains("]*>", "") + xmlAnswer = xmlAnswer.substring(0, xmlAnswer.lastIndexOf("")) + } + else + return Failure(new WebServiceException("The response from the mediawiki API does not contain the expected XML path: " + xmlPath)) + } + + decodeHtml(xmlAnswer.trim) + } + +} diff --git a/dump/src/test/bash/createMinidump_custom_sample.sh b/dump/src/test/bash/createMinidump_custom_sample.sh new file mode 100755 index 0000000000..81cc513de5 --- /dev/null +++ b/dump/src/test/bash/createMinidump_custom_sample.sh @@ -0,0 +1,85 @@ +#!/bin/sh +file="uris.lst" +while getopts f: flag +do + case "${flag}" in + f) file=${OPTARG};; + esac +done +echo "=========================" +echo "file: $file"; +echo "=========================" + +fileUPDT=minidump_file_used.txt; +if [ -f "$fileUPDT" ] +then + rm -f $fileUPDT +fi + +# sort the file +LC_ALL=C sort -u -o $file $file + +SHACL=`rapper -i turtle ../resources/shacl-tests/* | cut -d ' ' -f1 | grep '^<' | sed 's/.*#//;s/^//' | sort -u | wc -l` + +echo "# Minidump Overview + +This readme is generated upon creation of the minidump by running \`./createMinidump.sh\` [code](https://github.com/dbpedia/extraction-framework/blob/master/dump/src/test/bash/createMinidump.sh). + +## SHACL Tests +Total: $SHACL + +TODO match shacl to URIs with a SPARQL query + +" > minidump-overview.md + +echo " +## Included Articles + +" > minidump-overview.md +for i in `cat $file` ; do + echo "* $i">> minidump-overview.md +done + + +# detect languages +LANG=`sed 's|^https://||;s|\.wikipedia.org.*||' $file | sort -u` + + + +for l in ${LANG} ; do + echo "LANGUAGE $l" + PAGES=`grep "$l.wikipedia.org" $file | sed 's|wikipedia.org/wiki/|wikipedia.org/wiki/Special:Export/|' ` + # copy header + mkdir -p "../resources/minidumps/"$l + TARGET="../resources/minidumps/"$l"/wiki.xml" + echo "TARGET: $TARGET" + cp head.xml "$TARGET" + # process pages + for p in ${PAGES}; do + echo "PAGE: $p" + + ## Sanitize page name for avoiding none results + p_uri=$(basename $p) + p_uri_clean=$( echo $p_uri |jq -Rr @uri ) + p_sanitized=$(echo "$p" | sed "s/$p_uri/$p_uri_clean/") + + echo "PAGE p_sanitized : $p_sanitized" + + echo "" >> "$TARGET" + + echo "" >> $TARGET + curl --progress-bar -L $p_sanitized \ + | xmlstarlet sel -N x="http://www.mediawiki.org/xml/export-0.10/" -t -c "//x:page" \ + | tail -n+2 >> $TARGET + echo "" >> "$TARGET" + done + echo "\n" >> $TARGET + cat "$TARGET" | lbzip2 > "$TARGET.bz2" + rm $TARGET + +done + +echo "$file" > ${fileUPDT}; +# curl $FIRST > $TMPFOLDER/main2.xml +#xmlstarlet sel -N x="http://www.mediawiki.org/xml/export-0.10/" -t -c "//page" main2.xml +# xmlstarlet ed -N x="http://www.mediawiki.org/xml/export-0.10/" --subnode "/x:mediawiki/x:siteinfo" --type elem -n "newsubnode" -v "" head.xml diff --git a/dump/src/test/bash/createSampleRandomFromPageIDdataset.sh b/dump/src/test/bash/createSampleRandomFromPageIDdataset.sh new file mode 100755 index 0000000000..018753c2a6 --- /dev/null +++ b/dump/src/test/bash/createSampleRandomFromPageIDdataset.sh @@ -0,0 +1,23 @@ +#!/bin/sh +n=10; +file="page_lang=ro_ids.ttl" +lang="ro" +while getopts n:l:f: flag +do + case "${flag}" in + n) n=${OPTARG};; + l) lang=${OPTARG};; + f) file=${OPTARG};; + + esac +done + + +echo "=========================" +echo "n: $n"; +echo "file: $file"; +echo "=========================" + +grep -v "resource\/\w*\:" $file > temp.txt +shuf -n $n temp.txt | grep -oP " <" | sed "s/> uri_sample_random_${lang}_${n}.lst +#rm -f temp.txt \ No newline at end of file diff --git a/dump/src/test/bash/create_custom_sample.sh b/dump/src/test/bash/create_custom_sample.sh new file mode 100755 index 0000000000..9732af85e3 --- /dev/null +++ b/dump/src/test/bash/create_custom_sample.sh @@ -0,0 +1,88 @@ +#!/bin/sh +lang=""; +n=1000; +date_archive=$(date -d "$(date +%Y-%m-01) -1 day" +%Y-%m); +sort="desc" +while getopts l:d:n:s: flag +do + case "${flag}" in + l) lang=${OPTARG};; + d) date_archive=${OPTARG};; + n) n=${OPTARG};; + s) sort=${OPTARG};; + esac +done +echo "=========================" +echo "lang: $lang"; +echo "date: $date_archive"; +echo "n: $n"; +echo "sort: $sort"; +echo "=========================" + + +clickstream_data="clickstream_data_${lang}_${date_archive}" +if [ -f "$clickstream_data" ] +then + echo "File found" +else + echo "File not found" + clickstream_url="https://dumps.wikimedia.org/other/clickstream/"; + content=$(curl -L "$clickstream_url$date_archive/") + links=$( echo $content | grep -Po '(?<=href=")[^"]*'); + toextract=""; + substr="-${lang}wiki-" + echo $substr + for link in ${links[@]}; do + echo $link + if [[ $link =~ "-${lang}wiki-" ]];then + toextract="$clickstream_url$date_archive/$link"; + fi + done + + if [[ $toextract == "" ]]; then + echo "Lang not found in clickstream"; + exit 1; + fi + + echo ">>>> DOWNLOAD $toextract and save it" + + wget -O "${clickstream_data}.gz" $toextract; + gzip -d "${clickstream_data}.gz" +fi + + +echo ">>>> COMPUTE SUM OF CLICKS" +declare -A dict +while IFS= read -r line; do + IFS=$'\t'; arrIN=($line); unset IFS; + key=${arrIN[1]} + val=${arrIN[3]} + if [[ ${key} != *"List"* ]];then + if [[ ${#dict[${key}]} -eq 0 ]] ;then + dict[${key}]=$(($val)); + else + dict[${key}]=$((${dict[${key}]}+$val)); + fi + fi +done < $clickstream_data + +echo ">>>> SORT IT AND SAVE TEMP" +if [[ $sort == "desc" ]]; then + for page in "${!dict[@]}" + do + echo "$page ${dict[$page]}" + done | sort -rn -k2 | head -n "$n" | cut -d ' ' -f 1 >> temp.txt; +else + for page in "${!dict[@]}" + do + echo "$page ${dict[$page]}" + done | sort -n -k2 | head -n "$n" | cut -d ' ' -f 1 >> temp.txt; +fi + + +echo ">>>>> SAVE FINAL FILE : uri_sample_${lang}_${sort}_${n}.lst" +while IFS= read -r line;do + echo "https://$lang.wikipedia.org/wiki/$line" >> "uri_sample_${lang}_${sort}_${n}.lst" +done < "temp.txt" + +rm -rf temp.txt diff --git a/dump/src/test/resources/extraction-configs/extraction.nif.abstracts.properties b/dump/src/test/resources/extraction-configs/extraction.nif.abstracts.properties old mode 100644 new mode 100755 index 1083e6db10..499789ef0e --- a/dump/src/test/resources/extraction-configs/extraction.nif.abstracts.properties +++ b/dump/src/test/resources/extraction-configs/extraction.nif.abstracts.properties @@ -30,13 +30,15 @@ require-download-complete=false # List of languages or article count ranges, e.g. 'en,de,fr' or '10000-20000' or '10000-', or '@mappings' # NOTE sync with minidumps #languages=af,als,am,an,arz,ast,azb,ba,bar,bat-smg,bpy,br,bs,bug,cdo,ce,ceb,ckb,cv,fo,fy,gd,he,hsb,ht,ia,ilo,io,is,jv,ka,kn,ku,ky,la,lb,li,lmo,mai,mg,min,ml,mn,mr,mrj,ms,mt,my,mzn,nah,nap,nds,ne,new,nn,no,oc,or,os,pa,pms,pnb,qu,sa,sah,scn,sco,sh,si,simple,sq,su,sw,ta,te,tg,th,tl,tt,uz,vec,wa,xmf,yo,zh-min-nan,zh-yue -languages=en,fr,de,nl,ro +#languages=af,als,am,an,arz,ast,azb,ba,bar,bat-smg,bpy,br,bs,bug,cdo,ce,ceb,ckb,cv,fo,fy,gd,he,hsb,ht,ia,ilo,io,is,jv,ka,kn,ku,ky,la,lb,li,lmo,mai,mg,min,ml,mn,mr,mrj,ms,mt,my,mzn,nah,nap,nds,ne,new,nn,no,oc,or,os,pa,pms,pnb,qu,sa,sah,scn,sco,sh,si,simple,sq,su,sw,ta,te,tg,th,tl,tt,uz,vec,wa,xmf,yo,zh-min-nan,zh-yue +languages=fr + # default namespaces: Main, File, Category, Template # we only want abstracts for articles -> only main namespace namespaces=Main # extractor class names starting with "." are prefixed by "org.dbpedia.extraction.mappings" - +# Change to NifExtractor for extracting Nif texts extractors=.HtmlAbstractExtractor remove-broken-brackets-html-abstracts=true # if ontology and mapping files are not given or do not exist, download info from mappings.dbpedia.org @@ -64,11 +66,27 @@ format.ttl.bz2=turtle-triples;uri-policy.iri #the following parameters are for the mediawiki api connection used in nif and abstract extraction -mwc-apiUrl=https://{{LANG}}.wikipedia.org/w/api.php + +mwc-apiMWCUrl=https://{{LANG}}.wikipedia.org/w/api.php +mwc-apiRestUrl=https://{{LANG}}.wikipedia.org/api/rest_v1/page/html/ +mwc-apiLocalUrl=http://localhost:8080/api.php +# chose "rest", "mwc" or "local" +mwc-type=rest +# MWC params mwc-maxRetries=5 mwc-connectMs=4000 mwc-readMs=30000 mwc-sleepFactor=2000 +# MWC specifics params +mwc-maxlag=3 +mwc-useragent=(https://dbpedia.org/; dbpedia@infai.org) DIEF +mwc-gzip=true +mwc-retryafter=true +# REST specifics params +mwc-accept=text/html +mwc-charset=utf-8 +mwc-profile=https://www.mediawiki.org/wiki/Specs/HTML/2.1.0 + #parameters specific for the abstract extraction abstract-query=&format=xml&action=query&prop=extracts&exintro=&explaintext=&titles=%s @@ -83,7 +101,7 @@ short-abstract-min-length=200 #parameters specific to the nif extraction #only extract abstract (not the whole page) -nif-extract-abstract-only=false +nif-extract-abstract-only=true #the request query string nif-query=&format=xml&action=parse&prop=text&page=%s&pageid=%d #the xml path of the response diff --git a/dump/src/test/resources/extraction-configs/extraction.plain.abstracts.properties b/dump/src/test/resources/extraction-configs/extraction.plain.abstracts.properties old mode 100644 new mode 100755 index d865cb4c45..4025e87854 --- a/dump/src/test/resources/extraction-configs/extraction.plain.abstracts.properties +++ b/dump/src/test/resources/extraction-configs/extraction.plain.abstracts.properties @@ -30,7 +30,8 @@ require-download-complete=false # List of languages or article count ranges, e.g. 'en,de,fr' or '10000-20000' or '10000-', or '@mappings' # NOTE sync with minidumps #languages=af,als,am,an,arz,ast,azb,ba,bar,bat-smg,bpy,br,bs,bug,cdo,ce,ceb,ckb,cv,fo,fy,gd,he,hsb,ht,ia,ilo,io,is,jv,ka,kn,ku,ky,la,lb,li,lmo,mai,mg,min,ml,mn,mr,mrj,ms,mt,my,mzn,nah,nap,nds,ne,new,nn,no,oc,or,os,pa,pms,pnb,qu,sa,sah,scn,sco,sh,si,simple,sq,su,sw,ta,te,tg,th,tl,tt,uz,vec,wa,xmf,yo,zh-min-nan,zh-yue -languages=en + +languages=ro # default namespaces: Main, File, Category, Template # we only want abstracts for articles -> only main namespace namespaces=Main @@ -64,11 +65,21 @@ format.ttl.bz2=turtle-triples;uri-policy.iri #the following parameters are for the mediawiki api connection used in nif and abstract extraction -mwc-apiUrl=https://{{LANG}}.wikipedia.org/w/api.php +mwc-apiMWCUrl=https://{{LANG}}.wikipedia.org/w/api.php +mwc-apiLocalUrl=http://localhost:8080/api.php +# chose "mwc" or "local" +mwc-type=mwc +# MWC params mwc-maxRetries=5 mwc-connectMs=4000 mwc-readMs=30000 mwc-sleepFactor=2000 +# MWC rest params +mwc-maxlag=3 +mwc-useragent=(https://dbpedia.org/; dbpedia@infai.org) DIEF +mwc-gzip=true +mwc-retryafter=true + #parameters specific for the abstract extraction abstract-query=&format=xml&action=query&prop=extracts&exintro=&explaintext=&titles=%s @@ -83,7 +94,7 @@ short-abstract-min-length=200 #parameters specific to the nif extraction #only extract abstract (not the whole page) -nif-extract-abstract-only=false +nif-extract-abstract-only=true #the request query string nif-query=&format=xml&action=parse&prop=text&page=%s&pageid=%d #the xml path of the response diff --git a/dump/src/test/scala/org/dbpedia/extraction/dump/ExtractionTestAbstract.md b/dump/src/test/scala/org/dbpedia/extraction/dump/ExtractionTestAbstract.md new file mode 100755 index 0000000000..c7ec48230c --- /dev/null +++ b/dump/src/test/scala/org/dbpedia/extraction/dump/ExtractionTestAbstract.md @@ -0,0 +1,28 @@ +# ExtractionTestAbstract + +designed for testing abstracts extractors +## Before all + +* Delete tag `@DoNotDiscover` of `ExtractionTestAbstract` +* add tag `@DoNotDiscover` to other test class + +## Procedure +1. Clean your target directory with `mvn clean` in the root directory of DIEF +1. Go to bash scripts via + ```shell + cd /dump/src/test/bash + ``` +1. OPTIONAL: Create a new Wikipedia minidump sample with + ```shell + bash create_custom_sample.sh -n $numberOfPage -l $lang -d $optionalDate + ``` +1. Process sample of Wikipedia pages + ```shell + bash Minidump_custom_sample.sh -f $filename/lst + ``` +1. Update the extraction language parameter for your minidump sample in [`extraction.nif.abstracts.properties`](https://github.com/datalogism/extraction-framework/blob/gsoc-celian/dump/src/test/resources/extraction-configs/extraction.nif.abstracts.properties) and in [`extraction.plain.abstracts.properties`](https://github.com/datalogism/extraction-framework/blob/gsoc-celian/dump/src/test/resources/extraction-configs/extraction.plain.abstracts.properties) +1. Change the name of your log in the [`ExtractionTestAbstract.scala`](https://github.com/datalogism/extraction-framework/blob/gsoc-celian/dump/src/test/scala/org/dbpedia/extraction/dump/ExtractionTestAbstract.scala) file +1. Rebuild the app with `mvn install`, or just test it with + ```shell + mvn test -Dtest="ExtractionTestAbstract2" + ``` diff --git a/dump/src/test/scala/org/dbpedia/extraction/dump/ExtractionTestAbstract.scala b/dump/src/test/scala/org/dbpedia/extraction/dump/ExtractionTestAbstract.scala new file mode 100755 index 0000000000..db19d13fff --- /dev/null +++ b/dump/src/test/scala/org/dbpedia/extraction/dump/ExtractionTestAbstract.scala @@ -0,0 +1,162 @@ +package org.dbpedia.extraction.dump +import scala.io.Source +import java.io.{BufferedWriter, File, FileWriter} +import java.util.concurrent.ConcurrentLinkedQueue +import org.apache.commons.io.FileUtils +import org.dbpedia.extraction.config.Config +import org.dbpedia.extraction.dump.TestConfig.{ date, mappingsConfig, minidumpDir, nifAbstractConfig, plainAbstractConfig} +import org.dbpedia.extraction.dump.extract.ConfigLoader +import org.dbpedia.extraction.dump.tags.ExtractionTestTag +import org.scalatest.{BeforeAndAfterAll, DoNotDiscover, FunSuite} +import com.fasterxml.jackson.module.scala.DefaultScalaModule +import com.fasterxml.jackson.databind.ObjectMapper +import java.nio.file.{Files, Paths} +import scala.concurrent.Future + + +@DoNotDiscover +class ExtractionTestAbstract extends FunSuite with BeforeAndAfterAll { + println(""" __ ____ _ __ ______ __ + | / |/ (_)___ (_)___/ /_ ______ ___ ____ /_ __/__ _____/ /______ + | / /|_/ / / __ \/ / __ / / / / __ `__ \/ __ \ / / / _ \/ ___/ __/ ___/ + | / / / / / / / / / /_/ / /_/ / / / / / / /_/ / / / / __(__ ) /_(__ ) + |/_/ /_/_/_/ /_/_/\__,_/\__,_/_/ /_/ /_/ .___/ /_/ \___/____/\__/____/ + | /_/ ABSTRACTS""".replace("\r", "").stripMargin) + + override def beforeAll() { + minidumpDir.listFiles().foreach(f => { + val wikiMasque = f.getName + "wiki" + val targetDir = new File(mappingsConfig.dumpDir, s"$wikiMasque/$date/") + // create directories + targetDir.mkdirs() + FileUtils.copyFile( + new File(f + "/wiki.xml.bz2"), + new File(targetDir, s"$wikiMasque-$date-pages-articles-multistream.xml.bz2") + ) + }) + } + + + + +test("extract html abstract datasets", ExtractionTestTag) { + Utils.renameAbstractsDatasetFiles("html") + println(">>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>> html abstract begin") + val jobsRunning1 = new ConcurrentLinkedQueue[Future[Unit]]() + val extractRes = extract(nifAbstractConfig, jobsRunning1) + writeTestResult("MWC_ro_html_rest_only",extractRes) + println("> html abstract end") + + } + + +/*test("extract plain abstract datasets", ExtractionTestTag) { + println(">>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>>> Plain abstract begin") + Utils.renameAbstractsDatasetFiles("plain") + val jobsRunning2 = new ConcurrentLinkedQueue[Future[Unit]]() + val extractRes2=extract(plainAbstractConfig, jobsRunning2) + writeTestResult("MWC_ro_plain_only",extractRes2) + println("> Plain abstract end") + }*/ + + def writeTestResult(fileName : String, content: Array[Map[String,String]]): Unit ={ + val today = java.time.LocalDate.now.toString + val urisListUsed="../dump/src/test/bash/minidump_file_used.txt" + var fileName2="" + val mapper = new ObjectMapper() + mapper.registerModule(DefaultScalaModule) + val json = mapper.writeValueAsString(content) + + val targetDir = new File("../dump/test_logs/") + // create directories + targetDir.mkdirs() + + if( Files.exists(Paths.get(urisListUsed))){ + + val Urifile = Source.fromFile(urisListUsed) + val fileContents = Urifile.getLines.mkString + Urifile.close() + + fileName2="../dump/test_logs/"+fileName+"_"+fileContents+"_"+today+".log" + + }else{ + fileName2="../dump/test_logs/"+fileName+"_"+"base-list"+today+".log" + + } + val file = new File(fileName2) + val bw = new BufferedWriter(new FileWriter(file)) + bw.write(json) + bw.close() + } + + def extract(config: Config, jobsRunning: ConcurrentLinkedQueue[Future[Unit]]): Array[Map[String,String]] ={ + println(">>>>>>>>> EXTRACT - BEGIN") + var mapResults = Array[Map[String,String]]() + val configLoader = new ConfigLoader(config) + + val parallelProcesses = 1 + println(parallelProcesses) + val jobs=configLoader.getExtractionJobs + println(">>>>>>>>> EXTRACT - NBJOBS > "+jobs.size) + println("LAUNCH JOBS") + for (job <- jobs) { + + job.run() + + val lang=job.extractionRecorder.language + val records=job.extractionRecorder + println(">>>>>>>>> EXTRACT - LANG > " + lang.wikiCode) + + val status = records.getStatusValues(lang); + var numberOfFailedPages429 = 0 + var numberOfFailedPages503 = 0 + var numberOfFailedPagesIOException = 0 + var numberOfFailedPagesOutOfMemoryError = 0 + var numberOfFailedPagesNullPointerException = 0 + var mapLocal= status + + mapLocal += "language" -> lang.wikiCode.toString(); + + try { + val listFailedPages_ = records.listFailedPages(lang) + for( failed <- listFailedPages_) { + if (failed.toString().contains("Server returned HTTP response code: 429")){ + numberOfFailedPages429 += 1 + } + if (failed.toString().contains("Server returned HTTP response code: 503")){ + numberOfFailedPages503 += 1 + } + if (failed.toString().contains("java.io.IOException")){ + numberOfFailedPagesIOException += 1 + } + if (failed.toString().contains("java.io.OutOfMemoryError")){ + numberOfFailedPagesOutOfMemoryError += 1 + } + if (failed.toString().contains("java.io.NullPointerException")){ + numberOfFailedPagesNullPointerException += 1 + } + } + } catch { + case e: Exception => None + } + + mapLocal += "numberOfFailedPages429" -> numberOfFailedPages429.toString + mapLocal += "numberOfFailedPages503" -> numberOfFailedPages503.toString + mapLocal += "numberOfFailedPagesIOException" -> numberOfFailedPagesIOException.toString + mapLocal += "numberOfFailedPagesOutOfMemoryError" -> numberOfFailedPagesOutOfMemoryError.toString + mapLocal += "numberOfFailedPagesNullPointerException" -> numberOfFailedPagesNullPointerException.toString + + + mapResults = mapResults :+ mapLocal + + } + while (jobsRunning.size() > 0) { + + Thread.sleep(1000) + } + + jobsRunning.clear() + mapResults + + } +} diff --git a/history/ReadMe.md b/history/ReadMe.md new file mode 100644 index 0000000000..dc781d25cc --- /dev/null +++ b/history/ReadMe.md @@ -0,0 +1,182 @@ +# DBPEDIA HISTORY + +DBpedia History enables the history of a Wikipedia chapter to be extracted into an RDF format + + +## Previous work + +This DBpedia App is a Scala/Java version of the first work conducted by the French Chapter, . + +Fabien Gandon, Raphael Boyer, Olivier Corby, Alexandre Monnin. Wikipedia editing history in DBpedia: extracting and publishing the encyclopedia editing activity as linked data. IEEE/WIC/ACM International Joint Conference on Web Intelligence (WI' 16), Oct 2016, Omaha, United States. +https://hal.inria.fr/hal-01359575 + +Fabien Gandon, Raphael Boyer, Olivier Corby, Alexandre Monnin. Materializing the editing history of Wikipedia as linked data in DBpedia. ISWC 2016 - 15th International Semantic Web Conference, Oct 2016, Kobe, Japan. . +https://hal.inria.fr/hal-01359583 + +## A first working prototype + +This prototype is not optimized. During its development, we were faced with the WikiPage type-checking constraints that are checked in almost every module of the DBpedia pipeline. +We basically copy/pasted and renamed all the classes and objects we needed for running the extractors. +This conception could be easily improved by making `WikiPage` and `WikiPageWithRevision` objects inherit from the same abstract object. +But as a first step, we didn't want to impact the core module. + +Some other improvements that could be made: +* Scala version +* Enabling use of a historic namespace, taking into account the DBpedia chapter language +* Enabling following when a revision impacts content of an `infobox` + +## Main Class + +* [WikipediaDumpParserHistory.java](src/main/java/org/dbpedia/extraction/sources/WikipediaDumpParserHistory.java) — for parsing the history dumps +* [RevisionNode.scala](src/main/scala/org/dbpedia/extraction/wikiparser/RevisionNode.scala) — define revision of node object +* [WikiPageWithRevision](src/main/scala/org/dbpedia/extraction/wikiparser/WikiPageWithRevisions.scala) — define `wikipage` with revision list object + +## Extractors + +### [HistoryPageExtractor.scala](src/main/scala/org/dbpedia/extraction/mappings/HistoryPageExtractor.scala) + + * Extract all revisions of every Wikipedia page + * Use the foaf, xsd, rdf, prov, dc, sioc ontologies + * Describre each revisions of each page, the content / date / size / importance of that revision, the author of this one and the delta with the last version of the page updated by this one + * the id of the user are based depending on what is available : ip / nickname or the wikipedia id + +### [HistoryStatsExtractor.scala](src/main/scala/org/dbpedia/extraction/mappings/HistoryStatsExtractor.scala) + * Extract statistics about revision activity for every page of Wikipedia : + * number of revision per year / months + * avg size of revision per year / month + * number of unique contribution + * This exctraction add some computation and could be not necessary + * Use dc, rdf, rdfs ontologies + + + +## How to run it ? + +### Download + +* configure the [download.properties](download.properties) file +* and run ```../run download download.properties``` + +### Extraction + +* configure the [extraction.properties](extraction.properties) file +* and run ```../run run extraction.properties``` + +* Test it with `mvn test`. If you're starting cold, you may have to manually create an empty file named in the form of `frwiki-[YYYYMMDD]-download-complete` (for instance, `frwiki-20221209-download-complete`) in the `base-dir` as defined in the `extraction-properties` file. + +### Triple extracted + +Given this little Wikipedia page: [Hôtes_de_passage](https://fr.wikipedia.org/wiki/H%C3%B4tes_de_passage) + +→ The `HistoryPageExtractor.scala` extractor will produce: +``` + . + . + . + "36815850"^^ . + "2009-01-06T16:56:57Z"^^ . + . + . + "82.244.44.195" . + "Nouvelle page : ''Hôtes de passage'' appartient est une partie de ''La Corde et les souris'' consignée dans ''Le Miroir des limbes''.Malraux y mène des entretiens avec entre autre Senghor et un p..." . + "214"^^ . + "214"^^ . + "false"^^ . +... +``` + +→ `HistoryStatsExtractor.scala` extractor will produce: +``` + . + "9"^^ . + "http://fr.dbpedia.org/resource/Hôtes_de_passage__nbRevPerYear__2014"^^ . + "2014"^^ . + "2"^^ . + "http://fr.dbpedia.org/resource/Hôtes_de_passage__nbRevPerYear__2013"^^ . + "2013"^^ . + "1"^^ . + "http://fr.dbpedia.org/resource/Hôtes_de_passage__nbRevPerYear__2015"^^ . + "2015"^^ . + "2"^^ . + "http://fr.dbpedia.org/resource/Hôtes_de_passage__nbRevPerYear__2011"^^ . + "2011"^^ . + "1"^^ . + "http://fr.dbpedia.org/resource/Hôtes_de_passage__nbRevPerYear__2021"^^ . + "2021"^^ . + "2"^^ . + "http://fr.dbpedia.org/resource/Hôtes_de_passage__nbRevPerYear__2009"^^ . + "2009"^^ . + "3"^^ . + "http://fr.dbpedia.org/resource/Hôtes_de_passage__nbRevPerMonth__10/2015"^^ . + "10/2015"^^ . + "1"^^ . + "http://fr.dbpedia.org/resource/Hôtes_de_passage__nbRevPerMonth__9/2013"^^ . + "9/2013"^^ . + "1"^^ . + "http://fr.dbpedia.org/resource/Hôtes_de_passage__nbRevPerMonth__1/2009"^^ . + "1/2009"^^ . + "2"^^ . + "http://fr.dbpedia.org/resource/Hôtes_de_passage__nbRevPerMonth__12/2014"^^ . + "12/2014"^^ . + "1"^^ . + "http://fr.dbpedia.org/resource/Hôtes_de_passage__nbRevPerMonth__10/2014"^^ . + "10/2014"^^ . + "1"^^ . + "http://fr.dbpedia.org/resource/Hôtes_de_passage__nbRevPerMonth__3/2015"^^ . + "3/2015"^^ . + "1"^^ . + "http://fr.dbpedia.org/resource/Hôtes_de_passage__nbRevPerMonth__7/2009"^^ . + "7/2009"^^ . + "1"^^ . + "http://fr.dbpedia.org/resource/Hôtes_de_passage__nbRevPerMonth__10/2011"^^ . + "10/2011"^^ . + "1"^^ . + "http://fr.dbpedia.org/resource/Hôtes_de_passage__nbRevPerMonth__11/2021"^^ . + "11/2021"^^ . + "2"^^ . + "http://fr.dbpedia.org/resource/Hôtes_de_passage__revPerYearAvgSize__2014"^^ . + "2014"^^ . + "591"^^ . + "http://fr.dbpedia.org/resource/Hôtes_de_passage__revPerYearAvgSize__2013"^^ . + "2013"^^ . + "467"^^ . + "http://fr.dbpedia.org/resource/Hôtes_de_passage__revPerYearAvgSize__2015"^^ . + "2015"^^ . + "645"^^ . + "http://fr.dbpedia.org/resource/Hôtes_de_passage__revPerYearAvgSize__2011"^^ . + "2011"^^ . + "434"^^ . + "http://fr.dbpedia.org/resource/Hôtes_de_passage__revPerYearAvgSize__2021"^^ . + "2021"^^ . + "723"^^ . + "http://fr.dbpedia.org/resource/Hôtes_de_passage__revPerYearAvgSize__2009"^^ . + "2009"^^ . + "338"^^ . + "http://fr.dbpedia.org/resource/Hôtes_de_passage__revPerMonthAvgSize__10/2015"^^ . + "10/2015"^^ . + "669"^^ . + "http://fr.dbpedia.org/resource/Hôtes_de_passage__revPerMonthAvgSize__9/2013"^^ . + "9/2013"^^ . + "467"^^ . + "http://fr.dbpedia.org/resource/Hôtes_de_passage__revPerMonthAvgSize__1/2009"^^ . + "1/2009"^^ . + "305"^^ . + "http://fr.dbpedia.org/resource/Hôtes_de_passage__revPerMonthAvgSize__12/2014"^^ . + "12/2014"^^ . + "602"^^ . + "http://fr.dbpedia.org/resource/Hôtes_de_passage__revPerMonthAvgSize__10/2014"^^ . + "10/2014"^^ . + "581"^^ . + "http://fr.dbpedia.org/resource/Hôtes_de_passage__revPerMonthAvgSize__3/2015"^^ . + "3/2015"^^ . + "621"^^ . + "http://fr.dbpedia.org/resource/Hôtes_de_passage__revPerMonthAvgSize__7/2009"^^ . + "7/2009"^^ . + "404"^^ . + "http://fr.dbpedia.org/resource/Hôtes_de_passage__revPerMonthAvgSize__10/2011"^^ . + "10/2011"^^ . + "434"^^ . + "http://fr.dbpedia.org/resource/Hôtes_de_passage__revPerMonthAvgSize__11/2021"^^ . + "11/2021"^^ . + "723"^^ . +``` diff --git a/history/download.properties b/history/download.properties new file mode 100644 index 0000000000..35561d7c04 --- /dev/null +++ b/history/download.properties @@ -0,0 +1,15 @@ +# NOTE: format is not java.util.Properties, but org.dbpedia.extraction.dump.download.DownloadConfig +# Default download server. It lists mirrors which may be faster. +base-url=http://dumps.wikimedia.org/ +#https://fr.wikipedia.org/w/index.php?title=Sp%C3%A9cial:Exporter&action=submit&history=1&pages=H%C3%B4tes_de_passage%0ARaymond_Beaudet +source=pages-meta-history.*.bz2 +# language to download +languages=fr +# Unzip files while downloading? Not necessary, extraction will unzip on the fly. Let's save space. +unzip=false +# Sometimes connecting to the server fails, so we try five times with pauses of 10 seconds. +retry-max=5 +retry-millis=10000 + +#for specific dump dates (e.g. 20170101) if empty: the most recent dump-date is used +dump-date=20221001 \ No newline at end of file diff --git a/history/extraction.properties b/history/extraction.properties new file mode 100644 index 0000000000..cf44bf5d8d --- /dev/null +++ b/history/extraction.properties @@ -0,0 +1,27 @@ +# download and extraction target dir +#base-dir= moved to $extraction-framework/core/src/main/resources/universal.properties +base-dir=/user/cringwal/home/Desktop/DBpediaHistory/extraction-framework/history/sample-xml-dump + +# Source file. If source file name ends with .gz or .bz2, it is unzipped on the fly. +# Must exist in the directory xxwiki/yyyymmdd and have the prefix xxwiki-yyyymmdd- +# where xx is the wiki code and yyyymmdd is the dump date. + +# default: +#source=# moved to $extraction-framework/core/src/main/resources/universal.properties + +source=pages-articles.xml +# use only directories that contain a 'download-complete' file? Default is false. +require-download-complete=false + +# List of languages or article count ranges, e.g. 'en,de,fr' or '10000-20000' or '10000-', or '@mappings' +languages=fr + +# extractor class names starting with "." are prefixed by "org.dbpedia.extraction.mappings" + +extractors=.HistoryPageExtractor,.HistoryStatsExtractor +extractors.fr=.HistoryPageExtractor,.HistoryStatsExtractor + +# If we need to Exclude Non-Free Images in this Extraction, set this to true +copyrightCheck=false + + diff --git a/history/pom.xml b/history/pom.xml new file mode 100644 index 0000000000..d515621d4e --- /dev/null +++ b/history/pom.xml @@ -0,0 +1,88 @@ + + + + org.dbpedia + extraction + 4.2-SNAPSHOT + + + 4.0.0 + history + History Dump + jar + + + + + + org.scalatest + scalatest-maven-plugin + 1.0 + + ${project.build.directory}/surefire-reports + . + WDF TestSuite.txt + + + + test + + + test + + + + + + + net.alchim31.maven + scala-maven-plugin + + + + attach-docs-sources + + add-source + doc-jar + + + + + + + + run + org.dbpedia.extraction.dump.extract.Extraction2 + + + download + org.dbpedia.extraction.dump.download.Download + + + + + + + + + + + + org.dbpedia.extraction + core + + + org.dbpedia.extraction + dump + ${project.version} + + + + org.scalatest + scalatest_${scala.compat.version} + 3.0.8 + test + + + diff --git a/history/sample-xml-dump/frwiki/20220101/frwiki-20220101-extraction-complete b/history/sample-xml-dump/frwiki/20220101/frwiki-20220101-extraction-complete new file mode 100644 index 0000000000..e69de29bb2 diff --git a/history/sample-xml-dump/frwiki/20220101/frwiki-20220101-history-dataset.ttl.bz2 b/history/sample-xml-dump/frwiki/20220101/frwiki-20220101-history-dataset.ttl.bz2 new file mode 100644 index 0000000000..716cecc7b8 Binary files /dev/null and b/history/sample-xml-dump/frwiki/20220101/frwiki-20220101-history-dataset.ttl.bz2 differ diff --git a/history/sample-xml-dump/frwiki/20220101/frwiki-20220101-history-stats.ttl.bz2 b/history/sample-xml-dump/frwiki/20220101/frwiki-20220101-history-stats.ttl.bz2 new file mode 100644 index 0000000000..24faf03199 Binary files /dev/null and b/history/sample-xml-dump/frwiki/20220101/frwiki-20220101-history-stats.ttl.bz2 differ diff --git a/history/sample-xml-dump/frwiki/20220101/frwiki-20220101-pages-articles.xml b/history/sample-xml-dump/frwiki/20220101/frwiki-20220101-pages-articles.xml new file mode 100644 index 0000000000..cdde3d87be --- /dev/null +++ b/history/sample-xml-dump/frwiki/20220101/frwiki-20220101-pages-articles.xml @@ -0,0 +1,6831 @@ + + + Wikipédia + frwiki + https://fr.wikipedia.org/wiki/Wikip%C3%A9dia:Accueil_principal + MediaWiki 1.40.0-wmf.8 + first-letter + + Média + Spécial + + Discussion + Utilisateur + Discussion utilisateur + Wikipédia + Discussion Wikipédia + Fichier + Discussion fichier + MediaWiki + Discussion MediaWiki + Modèle + Discussion modèle + Aide + Discussion aide + Catégorie + Discussion catégorie + Portail + Discussion Portail + Projet + Discussion Projet + Référence + Discussion Référence + TimedText + TimedText talk + Module + Discussion module + Gadget + Discussion gadget + Définition de gadget + Discussion définition de gadget + Sujet + + + + Hôtes de passage + 0 + 3553440 + + 36815850 + 2009-01-06T16:56:57Z + + 82.244.44.195 + + Nouvelle page : ''Hôtes de passage'' appartient est une partie de ''La Corde et les souris'' consignée dans ''Le Miroir des limbes''.Malraux y mène des entretiens avec entre autre Senghor et un p... + wikitext + text/x-wiki + ''Hôtes de passage'' appartient est une partie de ''La Corde et les souris'' consignée dans ''Le Miroir des limbes''.Malraux y mène des entretiens avec entre autre Senghor et un personnage imaginaire: Max Torres + 1u7wvu5n5p7oz1iky78p435pimjwqnw + + + 37170403 + 36815850 + 2009-01-18T15:30:59Z + + Speculos + 178738 + + intro + liens + ref + cat + wikitext + text/x-wiki + '''Hôtes de passage''' est un livre d'[[André Malraux]] paru en 1975<ref>http://www.antiqbook.fr/boox/pic/213605.shtml</ref>. C'est une partie de ''La Corde et les souris'' consignée dans ''Le Miroir des limbes''. Malraux y mène des entretiens avec entre autres [[Senghor]] et un personnage imaginaire: Max Torres. + +== Notes et références == +<references /> + +[[Catégorie:Essai paru en 1975]] + bixndcsu1032geflxfr4m0p0menovqe + + + 42902092 + 37170403 + 2009-07-12T14:36:33Z + + LPLT + 181659 + + wikif + wikitext + text/x-wiki + '''''Hôtes de passage''''' est un livre d'[[André Malraux]] paru en [[1975 en littérature|1975]]. C'est une partie de ''[[La Corde et les Souris]]'' consignée dans ''[[Le Miroir des limbes]]''. Malraux y mène des entretiens avec entre autres [[Senghor]] et un personnage imaginaire, Max Torres. + +== Notes et références == +<references /> + +{{Portail|Littérature}} + +[[Catégorie:Essai paru en 1975]] + n4cnddctjen9wviqt919bpbq8elgcqd + + + 70743930 + 42902092 + 2011-10-04T17:54:57Z + + Titopoto + 1104966 + + wikitext + text/x-wiki + '''''Hôtes de passage''''' est un livre d'[[André Malraux]] paru en [[1975 en littérature|1975]]. C'est une partie de ''[[La Corde et les Souris]]'' consignée dans ''[[Le Miroir des limbes]]''. Malraux y mène des entretiens avec entre autres [[Senghor]] et un personnage imaginaire, Max Torres. + +== Notes et références == +<references /> + +{{Portail|Littérature}} + +[[Catégorie:Essai paru en 1975]] +[[Catégorie:André Malraux]] + hxkbx7xhnhv9mzdkwhoycxt6obdkl6c + + + 96902021 + 70743930 + 2013-09-22T18:48:16Z + + WikiCleanerBot + 351003 + + + [[WP:WPC|WPCleaner]] v1.29b - Bistrot 18/09 - [[P:CS|Correction syntaxique]] - DEFAULTSORT nécessaire manquant + wikitext + text/x-wiki + '''''Hôtes de passage''''' est un livre d'[[André Malraux]] paru en [[1975 en littérature|1975]]. C'est une partie de ''[[La Corde et les Souris]]'' consignée dans ''[[Le Miroir des limbes]]''. Malraux y mène des entretiens avec entre autres [[Senghor]] et un personnage imaginaire, Max Torres. + +== Notes et références == +<references /> + +{{Portail|Littérature}} + +{{DEFAULTSORT:Hotes de passage}} +[[Catégorie:Essai paru en 1975]] +[[Catégorie:André Malraux]] + os3yfxm25241hqv05fu2m0799eu6kyq + + + 108105638 + 96902021 + 2014-10-10T13:50:30Z + + Speculos + 178738 + + ajout ref + wikitext + text/x-wiki + {{Titre en italique}} +'''''Hôtes de passage''''' est un livre d'[[André Malraux]] paru en [[1975 en littérature|1975]]<ref>http://www.gallimard.fr/Catalogue/GALLIMARD/Editions-originales/Hotes-de-passage2</ref>. C'est une partie de ''[[La Corde et les Souris]]'' consignée dans ''[[Le Miroir des limbes]]''. Malraux y mène des entretiens avec entre autres [[Senghor]] et un personnage imaginaire, Max Torres. + +== Notes et références == +<references /> + +{{Portail|Littérature}} + +{{DEFAULTSORT:Hotes de passage}} +[[Catégorie:Essai paru en 1975]] +[[Catégorie:André Malraux]] + fdvxeot1gkact2afw9tke0im3dt1vlq + + + 110029454 + 108105638 + 2014-12-17T12:39:44Z + + Criric + 13123 + + + lien homonymie + wikitext + text/x-wiki + {{Titre en italique}} +'''''Hôtes de passage''''' est un livre d'[[André Malraux]] paru en [[1975 en littérature|1975]]<ref>http://www.gallimard.fr/Catalogue/GALLIMARD/Editions-originales/Hotes-de-passage2</ref>. C'est une partie de ''[[La Corde et les Souris]]'' consignée dans ''[[Le Miroir des limbes]]''. Malraux y mène des entretiens avec notamment [[Léopold Sédar Senghor|Senghor]] et un personnage imaginaire, Max Torres. + +== Notes et références == +<references /> + +{{Portail|Littérature}} + +{{DEFAULTSORT:Hotes de passage}} +[[Catégorie:Essai paru en 1975]] +[[Catégorie:André Malraux]] + 82f5ijwud08r3tuvfd2ihubcrt75vxy + + + 112596125 + 110029454 + 2015-03-09T11:52:36Z + + Bibo le magicien + 274342 + + catégorie plus précise + wikitext + text/x-wiki + {{Titre en italique}} +'''''Hôtes de passage''''' est un livre d'[[André Malraux]] paru en [[1975 en littérature|1975]]<ref>http://www.gallimard.fr/Catalogue/GALLIMARD/Editions-originales/Hotes-de-passage2</ref>. C'est une partie de ''[[La Corde et les Souris]]'' consignée dans ''[[Le Miroir des limbes]]''. Malraux y mène des entretiens avec notamment [[Léopold Sédar Senghor|Senghor]] et un personnage imaginaire, Max Torres. + +== Notes et références == +<references /> + +{{Portail|littérature française}} + +{{DEFAULTSORT:Hotes de passage}} +[[Catégorie:Essai paru en 1975]] +[[Catégorie:Essai d'André Malraux]] + 6ytk4mt9ltj8xo7svc4tnndl8cfyrqn + + + 119483777 + 112596125 + 2015-10-14T10:58:12Z + + Patangel + 684878 + + Ajout d'une catégorie + wikitext + text/x-wiki + {{Titre en italique}} +'''''Hôtes de passage''''' est un livre d'[[André Malraux]] paru en [[1975 en littérature|1975]]<ref>http://www.gallimard.fr/Catalogue/GALLIMARD/Editions-originales/Hotes-de-passage2</ref>. C'est une partie de ''[[La Corde et les Souris]]'' consignée dans ''[[Le Miroir des limbes]]''. Malraux y mène des entretiens avec notamment [[Léopold Sédar Senghor|Senghor]] et un personnage imaginaire, Max Torres. + +== Notes et références == +<references /> + +{{Portail|littérature française}} + +{{DEFAULTSORT:Hotes de passage}} +[[Catégorie:Essai paru en 1975]] +[[Catégorie:Essai français des années 1970]] +[[Catégorie:Essai d'André Malraux]] + azi0g64c0q8kq2eogknes9xu18mck80 + + + 187987910 + 119483777 + 2021-11-13T23:18:13Z + + Arrakis + 43931 + + wikitext + text/x-wiki + {{Titre en italique}} +'''''Hôtes de passage''''' est un livre d'[[André Malraux]] paru en [[1975 en littérature|1975]]<ref>http://www.gallimard.fr/Catalogue/GALLIMARD/Editions-originales/Hotes-de-passage2</ref>. C'est une partie de ''[[La Corde et les Souris]]'' consignée dans ''[[Le Miroir des limbes]]''. Malraux y mène des dialogues dans chacune des trois parties: avec [[Léopold Sédar Senghor|Senghor]], avec Georges Salles, enfin avec un personnage imaginaire, Max Torrès. + +== Notes et références == +<references /> + +{{Portail|littérature française}} + +{{DEFAULTSORT:Hotes de passage}} +[[Catégorie:Essai paru en 1975]] +[[Catégorie:Essai français des années 1970]] +[[Catégorie:Essai d'André Malraux]] + 15a5hbi7sqmel5sboyzfgqq7plnxnhe + + + 188002523 + 187987910 + 2021-11-14T14:42:04Z + + Arrakis + 43931 + + wikitext + text/x-wiki + {{Titre en italique}} +'''''Hôtes de passage''''' est un livre d'[[André Malraux]] paru en [[1975 en littérature|1975]]<ref>http://www.gallimard.fr/Catalogue/GALLIMARD/Editions-originales/Hotes-de-passage2</ref>. C'est une partie de ''[[La Corde et les Souris]]'' consignée dans ''[[Le Miroir des limbes]]''. Malraux y mène des dialogues dans chacune des trois parties: avec [[Léopold Sédar Senghor|Senghor]], avec [[Georges Salles]], enfin avec un personnage imaginaire, Max Torrès. + +== Notes et références == +<references /> + +{{Portail|littérature française}} + +{{DEFAULTSORT:Hotes de passage}} +[[Catégorie:Essai paru en 1975]] +[[Catégorie:Essai français des années 1970]] +[[Catégorie:Essai d'André Malraux]] + tks8amgzjg9gyttbtn34kq4qbf1dr0n + + + + Raymond Beaudet + 0 + 502899 + + 4310006 + 2005-12-01T03:28:30Z + + Grosnombril + 51037 + + wikitext + text/x-wiki + {{ébauche}} +'''Raymond Beaudet''' est un [[écrivain]] [[Québec|québécois]]. + +==Honneurs== +*[[Prix Robert-Cliche]] ([[1987]]), ''Les héritiers'' +[[Catégorie:Écrivain québécois]] + cr6qoulkhd7xp2h00242oruvvswg297 + + + 4310029 + 4310006 + 2005-12-01T03:33:37Z + + Grosnombril + 51037 + + wikitext + text/x-wiki + {{ébauche}} +'''Raymond Beaudet''' est un [[écrivain]] [[Québec|québécois]]. + +==Honneurs== +*[[Prix Robert-Cliche]] ([[1987]]), ''Passeport pour la liberté'' +[[Catégorie:Écrivain québécois]] + tc7rk7ds9xfj512ur4zsevh2gxqwon4 + + + 4310436 + 4310029 + 2005-12-01T05:29:32Z + + Gene.arboit + 33541 + + meilleure catégorie + wikitext + text/x-wiki + {{ébauche écrivain}} +'''Raymond Beaudet''' est un [[écrivain]] [[Québec|québécois]]. + +==Honneurs== +*[[Prix Robert-Cliche]] ([[1987]]), ''Passeport pour la liberté'' + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + ea6wlus4heib81rs16xp3n3tu5u0llk + + + 12140109 + 4310436 + 2006-11-29T13:29:31Z + + François Martin + 156892 + + précisions + wikitext + text/x-wiki + {{ébauche écrivain}} +'''Raymond Beaudet''' est un [[écrivain]] [[Québec|québécois]]. + +==Honneurs== +*[[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''[http://www.edvlb.com/prixcliche/pc1990-1987.html#laureat1988] + +==Bibliographie== +* ''Passeport pour la liberté''. (1987). +* ''Vie 101''. Saint-Prosper : Éditions du Mécène (2003). + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + 9hhk7gvjemxiwy9o1dg1u3fesqm4z0p + + + 15447437 + 12140109 + 2007-03-29T00:39:08Z + + 207.134.45.250 + + /* Bibliographie */ + wikitext + text/x-wiki + {{ébauche écrivain}} +'''Raymond Beaudet''' est un [[écrivain]] [[Québec|québécois]]. + +==Honneurs== +*[[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''[http://www.edvlb.com/prixcliche/pc1990-1987.html#laureat1988] + +==Bibliographie== +* ''Passeport pour la liberté''. (1987). +* ''Vie 101''. Saint-Prosper : Éditions du Mécène (2003). +* ''29, Rue des Remparts''. Saint-Prosper : Éditions du Mécène (2005). + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + l905km76eid2n77wm55h2vsjr85a5eq + + + 26089259 + 15447437 + 2008-02-12T06:18:14Z + + DumZiBoT + 280295 + + + Robot : Passage au modèle {{ébauche}} : {{ébauche|écrivain}} + wikitext + text/x-wiki + {{ébauche|écrivain}} +'''Raymond Beaudet''' est un [[écrivain]] [[Québec|québécois]]. + +==Honneurs== +*[[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''[http://www.edvlb.com/prixcliche/pc1990-1987.html#laureat1988] + +==Bibliographie== +* ''Passeport pour la liberté''. (1987). +* ''Vie 101''. Saint-Prosper : Éditions du Mécène (2003). +* ''29, Rue des Remparts''. Saint-Prosper : Éditions du Mécène (2005). + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + 48msl39i08mtjqwkbt7k1vrtqgro7hz + + + 34692415 + 26089259 + 2008-10-26T16:22:38Z + + 75.154.173.34 + + wikitext + text/x-wiki + {{ébauche|écrivain}} +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles,[[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de trois romans, d’un essai, d’une trentaine de scénarios, de quelques nouvelles et de trois pièces de théâtre.. + +==Honneurs== +*[[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''[http://www.edvlb.com/prixcliche/pc1990-1987.html#laureat1988] +* Prix Corpo-vision (1992) +* Prix Adate (1993) + + +==Bibliographie== +*2008 Dans un mois, dans un an, Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. ISBN 978-2-923150-61-1 + +*2007 L'écriture, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. + +*2005 29, rue des Remparts, Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. ISBN 2-923150-28-7 + +*2003 Vie 101, Ouvrage publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. ISBN 2-923150-03-1 + +*2002 Le groupe conseil fiscalis, scénario produit pour le groupe conseil Fiscalis. + +*2001 Lévis, ville nouvelle, scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox + +*2001 L’école québécoise, ce qu’il y a de mieux pour votre enfant, scénario produit pour le Ministère de l’éducation du Québec. + +*2000 Le jeu en valait-il la chandelle? scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) + +*1999 Le hasard, Lucky, on peut rien y changer, scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) + +*1999 Un pacte fiscal pour l’an 2000, des idées, de la solidarité, scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. + +*1999 Détect-o-max et Une journée avec Détect-o-max, deux scénarios produits pour Conception Ro-main inc. + +*1999 Propane GRG, à l’écoute de ses clients, scénario produit pour la firme Propane GRG inc. + +*1998 Maître du mètre, scénario d’un documentaire sur les 25 ans du système métrique au Québec. + +*1997 Le temps des sucres, scénario produit pour la firme Shady Maple Farms. + +*1996 Le Génie de campagne, scénario produit pour les Forces armées canadiennes. + +*1996 La Compagnie franche de la Marine de Québec, scénario produit pour les Forces armées canadiennes. + +*1995 Bon séjour à l'École navale de Québec, scénario produit pour les Forces armées canadiennes. + +*1994 Un leadership, des services, scénario produit pour la Fédération des commissions scolaires du Québec. + +*1993 Les clubs de recherche d'emploi, scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. + +*1992 Fiers de notre avenir, scénario produit pour l'Assurance-Vie Desjardins. + +*1992 Responsible Leadership, scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) + +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) + +*1991 Guide à l'intention du nouveau personnel, rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. + +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. + +*1990 Le choc est aussi grand pour les petits. I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. + +*1990 Participation au concours de nouvelles de Radio- +Canada avec Alexandre et Cassiopée. + +*1989 Participation au concours de nouvelles de Radio- +Canada avec Le mystère de la cathédrale. + +*1989 La Double vie d'Antoine Gagnon, Ministre, scénario d'un téléfilm pour Radio-Canada. + +*1988 Passeport pour la liberté, Les Quinze Éditeurs, Montréal. +ISBN 2-89026-368-1. (Prix Robert Cliche) + +*1988 Co-édition aux Editions Jean Picollec, à Paris, du +roman Passeport pour la liberté, 303 pages, ISBN +2-86477-088-1. + +*1987 Participation au concours de nouvelles de Radio- +Canada avec Le secret. + +*1987 Collaboration au scénario et aux dialogues de Vie décolle, vidéo produite pour la Commission scolaire Abénakis (21 minutes). + +*1983 Rédaction et direction de C'est qui ma maman à moi? pièce montée par la troupe de théâtre de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. + +*1982 Rédaction et direction de Au nom du père, de la fille et +du Sain d'esprit, pièce de théâtre montée par la troupe +de théâtre de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. + +*1977 Co-rédaction et mise en scène de la pièce Coup de Théâtre à Ste-Onction jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + 6z8dct3sywuy4u0powt922k3ik8a71p + + + 34692541 + 34692415 + 2008-10-26T16:26:16Z + + 75.154.173.34 + + wikitext + text/x-wiki + '''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles,[[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de trois romans, d’un essai, d’une trentaine de scénarios, de quelques nouvelles et de trois pièces de théâtre.. + +==Honneurs== +*[[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''[http://www.edvlb.com/prixcliche/pc1990-1987.html#laureat1988] +* Prix Corpo-vision (1992) +* Prix Adate (1993) + + +==Bibliographie== +*2008 Dans un mois, dans un an, Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. ISBN 978-2-923150-61-1 + +*2007 L'écriture, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. + +*2005 29, rue des Remparts, Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. ISBN 2-923150-28-7 + +*2003 Vie 101, Ouvrage publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. ISBN 2-923150-03-1 + +*2002 Le groupe conseil fiscalis, scénario produit pour le groupe conseil Fiscalis. + +*2001 Lévis, ville nouvelle, scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox + +*2001 L’école québécoise, ce qu’il y a de mieux pour votre enfant, scénario produit pour le Ministère de l’éducation du Québec. + +*2000 Le jeu en valait-il la chandelle? scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) + +*1999 Le hasard, Lucky, on peut rien y changer, scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) + +*1999 Un pacte fiscal pour l’an 2000, des idées, de la solidarité, scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. + +*1999 Détect-o-max et Une journée avec Détect-o-max, deux scénarios produits pour Conception Ro-main inc. + +*1999 Propane GRG, à l’écoute de ses clients, scénario produit pour la firme Propane GRG inc. + +*1998 Maître du mètre, scénario d’un documentaire sur les 25 ans du système métrique au Québec. + +*1997 Le temps des sucres, scénario produit pour la firme Shady Maple Farms. + +*1996 Le Génie de campagne, scénario produit pour les Forces armées canadiennes. + +*1996 La Compagnie franche de la Marine de Québec, scénario produit pour les Forces armées canadiennes. + +*1995 Bon séjour à l'École navale de Québec, scénario produit pour les Forces armées canadiennes. + +*1994 Un leadership, des services, scénario produit pour la Fédération des commissions scolaires du Québec. + +*1993 Les clubs de recherche d'emploi, scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. + +*1992 Fiers de notre avenir, scénario produit pour l'Assurance-Vie Desjardins. + +*1992 Responsible Leadership, scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) + +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) + +*1991 Guide à l'intention du nouveau personnel, rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. + +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. + +*1990 Le choc est aussi grand pour les petits. I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. + +*1990 Participation au concours de nouvelles de Radio- +Canada avec Alexandre et Cassiopée. + +*1989 Participation au concours de nouvelles de Radio- +Canada avec Le mystère de la cathédrale. + +*1989 La Double vie d'Antoine Gagnon, Ministre, scénario d'un téléfilm pour Radio-Canada. + +*1988 Passeport pour la liberté, Les Quinze Éditeurs, Montréal. +ISBN 2-89026-368-1. (Prix Robert Cliche) + +*1988 Co-édition aux Editions Jean Picollec, à Paris, du +roman Passeport pour la liberté, 303 pages, ISBN +2-86477-088-1. + +*1987 Participation au concours de nouvelles de Radio- +Canada avec Le secret. + +*1987 Collaboration au scénario et aux dialogues de Vie décolle, vidéo produite pour la Commission scolaire Abénakis (21 minutes). + +*1983 Rédaction et direction de C'est qui ma maman à moi? pièce montée par la troupe de théâtre de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. + +*1982 Rédaction et direction de Au nom du père, de la fille et +du Sain d'esprit, pièce de théâtre montée par la troupe +de théâtre de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. + +*1977 Co-rédaction et mise en scène de la pièce Coup de Théâtre à Ste-Onction jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + hm0xqq8pf6yk7f6vsoh0miwqvv42bup + + + 35120372 + 34692541 + 2008-11-09T17:09:56Z + + Raymond Beaudet + 479201 + + wikitext + text/x-wiki + '''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles,[[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de trois romans, d’un essai, d’une trentaine de scénarios, de quelques nouvelles et de trois pièces de théâtre.. +[[Image:Photo_Tom_Prague_08.jpg|250px|thumb|Raymond Beaudet]] +==Honneurs== +*[[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''[http://www.edvlb.com/prixcliche/pc1990-1987.html#laureat1988] +* Prix Corpo-vision (1992) +* Prix Adate (1993) + + +==Bibliographie== +*2008 Dans un mois, dans un an, Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. ISBN 978-2-923150-61-1 + +*2007 L'écriture, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. + +*2005 29, rue des Remparts, Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. ISBN 2-923150-28-7 + +*2003 Vie 101, Ouvrage publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. ISBN 2-923150-03-1 + +*2002 Le groupe conseil fiscalis, scénario produit pour le groupe conseil Fiscalis. + +*2001 Lévis, ville nouvelle, scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox + +*2001 L’école québécoise, ce qu’il y a de mieux pour votre enfant, scénario produit pour le Ministère de l’éducation du Québec. + +*2000 Le jeu en valait-il la chandelle? scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) + +*1999 Le hasard, Lucky, on peut rien y changer, scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) + +*1999 Un pacte fiscal pour l’an 2000, des idées, de la solidarité, scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. + +*1999 Détect-o-max et Une journée avec Détect-o-max, deux scénarios produits pour Conception Ro-main inc. + +*1999 Propane GRG, à l’écoute de ses clients, scénario produit pour la firme Propane GRG inc. + +*1998 Maître du mètre, scénario d’un documentaire sur les 25 ans du système métrique au Québec. + +*1997 Le temps des sucres, scénario produit pour la firme Shady Maple Farms. + +*1996 Le Génie de campagne, scénario produit pour les Forces armées canadiennes. + +*1996 La Compagnie franche de la Marine de Québec, scénario produit pour les Forces armées canadiennes. + +*1995 Bon séjour à l'École navale de Québec, scénario produit pour les Forces armées canadiennes. + +*1994 Un leadership, des services, scénario produit pour la Fédération des commissions scolaires du Québec. + +*1993 Les clubs de recherche d'emploi, scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. + +*1992 Fiers de notre avenir, scénario produit pour l'Assurance-Vie Desjardins. + +*1992 Responsible Leadership, scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) + +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) + +*1991 Guide à l'intention du nouveau personnel, rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. + +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. + +*1990 Le choc est aussi grand pour les petits. I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. + +*1990 Participation au concours de nouvelles de Radio- +Canada avec Alexandre et Cassiopée. + +*1989 Participation au concours de nouvelles de Radio- +Canada avec Le mystère de la cathédrale. + +*1989 La Double vie d'Antoine Gagnon, Ministre, scénario d'un téléfilm pour Radio-Canada. + +*1988 Passeport pour la liberté, Les Quinze Éditeurs, Montréal. +ISBN 2-89026-368-1. (Prix Robert Cliche) + +*1988 Co-édition aux Editions Jean Picollec, à Paris, du +roman Passeport pour la liberté, 303 pages, ISBN +2-86477-088-1. + +*1987 Participation au concours de nouvelles de Radio- +Canada avec Le secret. + +*1987 Collaboration au scénario et aux dialogues de Vie décolle, vidéo produite pour la Commission scolaire Abénakis (21 minutes). + +*1983 Rédaction et direction de C'est qui ma maman à moi? pièce montée par la troupe de théâtre de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. + +*1982 Rédaction et direction de Au nom du père, de la fille et +du Sain d'esprit, pièce de théâtre montée par la troupe +de théâtre de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. + +*1977 Co-rédaction et mise en scène de la pièce Coup de Théâtre à Ste-Onction jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + he2zhrdoahkhvcngapcygnfudm77278 + + + 35130401 + 35120372 + 2008-11-09T23:51:35Z + + 24.203.189.22 + + wikitext + text/x-wiki + '''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles,[[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de trois romans, d’un essai, d’une trentaine de scénarios, de quelques nouvelles et de trois pièces de théâtre.. +[[Image:Photo_Tom_Prague_08.jpg|250px|thumb|Raymond Beaudet]] +==Honneurs== +*[[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''[http://www.edvlb.com/prixcliche/pc1990-1987.html#laureat1988] +* Prix Corpo-vision (1992) +* Prix Adate (1993) + + +==Bibliographie== +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. ISBN 978-2-923150-61-1 + +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. + +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. ISBN 2-923150-28-7 + +*2003 ''Vie 101'', Ouvrage publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. ISBN 2-923150-03-1 + +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. + +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox + +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. + +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) + +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) + +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. + +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. + +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. + +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. + +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. + +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. + +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. + +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. + +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. + +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. + +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. + +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) + +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) + +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. + +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. + +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. + +*1990 Participation au concours de nouvelles de Radio- +Canada avec ''Alexandre et Cassiopée. +'' +*1989 Participation au concours de nouvelles de Radio- +Canada avec ''Le mystère de la cathédrale. +'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. + +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. +ISBN 2-89026-368-1. (Prix Robert Cliche) + +*1988 Co-édition aux Editions Jean Picollec, à Paris, du +roman ''Passeport pour la liberté'', 303 pages, ISBN +2-86477-088-1. + +*1987 Participation au concours de nouvelles de Radio- +''Canada avec Le secret''. + +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). + +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce montée par la troupe de théâtre de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. + +*1982 Rédaction et direction de ''Au nom du père, de la fille et +du Sain d'esprit'', pièce de théâtre montée par la troupe +de théâtre de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. + +*1977 Co-rédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + bk2ap5lk8wvjn71d8h25vyx5yr1wp03 + + + 39734107 + 35130401 + 2009-04-09T12:10:58Z + + Brochon99 + 173284 + + + [[Wikipédia:AutoWikiBrowser/Typos|Typo]] using [[Project:AutoWikiBrowser|AWB]] + wikitext + text/x-wiki + [[Fichier:Photo Tom Prague 08.jpg|250px|thumb|Raymond Beaudet]] +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de trois romans, d’un essai, d’une trentaine de scénarios, de quelques nouvelles et de trois pièces de théâtre.. + +==Honneurs== +*[[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''[http://www.edvlb.com/prixcliche/pc1990-1987.html#laureat1988] +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +==Bibliographie== +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. ISBN 978-2-923150-61-1 + +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. + +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. ISBN 2-923150-28-7 + +*2003 ''Vie 101'', Ouvrage publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. ISBN 2-923150-03-1 + +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. + +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox + +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. + +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) + +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) + +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. + +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. + +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. + +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. + +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. + +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. + +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. + +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. + +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. + +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. + +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. + +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) + +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) + +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. + +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. + +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. + +*1990 Participation au concours de nouvelles de Radio- +Canada avec ''Alexandre et Cassiopée. +'' +*1989 Participation au concours de nouvelles de Radio- +Canada avec ''Le mystère de la cathédrale. +'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. + +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. +ISBN 2-89026-368-1. (Prix Robert Cliche) + +*1988 Co-édition aux Éditions Jean Picollec, à Paris, du +roman ''Passeport pour la liberté'', 303 pages, ISBN +2-86477-088-1. + +*1987 Participation au concours de nouvelles de Radio- +''Canada avec Le secret''. + +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). + +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce montée par la troupe de théâtre de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. + +*1982 Rédaction et direction de ''Au nom du père, de la fille et +du Sain d'esprit'', pièce de théâtre montée par la troupe +de théâtre de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. + +*1977 Co-rédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + pvzbp30vlyhts3i4tundmn5d9rc5dg9 + + + 52337144 + 39734107 + 2010-04-18T04:25:56Z + + Asclepias + 73401 + + + wikitext + text/x-wiki + [[Fichier:Photo Tom Prague 08.jpg|thumb|Raymond Beaudet]] +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de trois romans, d’un essai, d’une trentaine de scénarios, de quelques nouvelles et de trois pièces de théâtre.. + +==Honneurs== +*[[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''[http://www.edvlb.com/prixcliche/pc1990-1987.html#laureat1988] +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +==Bibliographie== +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. ISBN 978-2-923150-61-1 + +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. + +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. ISBN 2-923150-28-7 + +*2003 ''Vie 101'', Ouvrage publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. ISBN 2-923150-03-1 + +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. + +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox + +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. + +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) + +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) + +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. + +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. + +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. + +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. + +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. + +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. + +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. + +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. + +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. + +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. + +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. + +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) + +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) + +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. + +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. + +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. + +*1990 Participation au concours de nouvelles de Radio- +Canada avec ''Alexandre et Cassiopée. +'' +*1989 Participation au concours de nouvelles de Radio- +Canada avec ''Le mystère de la cathédrale. +'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. + +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. +ISBN 2-89026-368-1. (Prix Robert Cliche) + +*1988 Co-édition aux Éditions Jean Picollec, à Paris, du +roman ''Passeport pour la liberté'', 303 pages, ISBN +2-86477-088-1. + +*1987 Participation au concours de nouvelles de Radio- +''Canada avec Le secret''. + +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). + +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce montée par la troupe de théâtre de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. + +*1982 Rédaction et direction de ''Au nom du père, de la fille et +du Sain d'esprit'', pièce de théâtre montée par la troupe +de théâtre de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. + +*1977 Co-rédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + 2973ayl5whlqplilmoc3pibsbg3i62t + + + 63480986 + 52337144 + 2011-03-21T19:19:59Z + + Vlaam + 268672 + + + Correction des [[P:HOM|liens vers les pages d'homonymie]] - [[Québécois]] + wikitext + text/x-wiki + [[Fichier:Photo Tom Prague 08.jpg|thumb|Raymond Beaudet]] +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de trois romans, d’un essai, d’une trentaine de scénarios, de quelques nouvelles et de trois pièces de théâtre.. + +==Honneurs== +*[[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''[http://www.edvlb.com/prixcliche/pc1990-1987.html#laureat1988] +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +==Bibliographie== +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. ISBN 978-2-923150-61-1 + +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. + +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. ISBN 2-923150-28-7 + +*2003 ''Vie 101'', Ouvrage publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. ISBN 2-923150-03-1 + +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. + +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox + +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. + +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) + +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) + +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. + +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. + +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. + +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. + +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. + +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. + +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. + +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. + +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. + +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. + +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. + +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) + +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) + +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. + +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. + +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. + +*1990 Participation au concours de nouvelles de Radio- +Canada avec ''Alexandre et Cassiopée. +'' +*1989 Participation au concours de nouvelles de Radio- +Canada avec ''Le mystère de la cathédrale. +'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. + +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. +ISBN 2-89026-368-1. (Prix Robert Cliche) + +*1988 Co-édition aux Éditions Jean Picollec, à Paris, du +roman ''Passeport pour la liberté'', 303 pages, ISBN +2-86477-088-1. + +*1987 Participation au concours de nouvelles de Radio- +''Canada avec Le secret''. + +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). + +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce montée par la troupe de théâtre de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. + +*1982 Rédaction et direction de ''Au nom du père, de la fille et +du Sain d'esprit'', pièce de théâtre montée par la troupe +de théâtre de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. + +*1977 Co-rédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + 6ta5xsja63bo23ria00uo5bc7ev9ew4 + + + 64526598 + 63480986 + 2011-04-20T12:52:08Z + + 75.154.173.34 + + Mise à jour incluant nouveau prix et nouvelles publications. + wikitext + text/x-wiki + [[Fichier:Photo Tom Prague 08.jpg|thumb|Raymond Beaudet]] +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de trois romans, d’un essai, d’une trentaine de scénarios, de quelques nouvelles et de trois pièces de théâtre. + +==Honneurs== +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion. +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''[http://www.edvlb.com/prixcliche/pc1990-1987.html#laureat1988] +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +==Bibliographie== +*2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. + +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits Mariverains 2010. + +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits Mariverains 2009. + +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. ISBN 978-2-923150-61-1 + +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. + +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. ISBN 2-923150-28-7 + +*2003 ''Vie 101'', Ouvrage publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. ISBN 2-923150-03-1 + +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. + +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox + +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. + +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) + +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) + +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. + +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. + +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. + +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. + +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. + +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. + +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. + +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. + +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. + +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. + +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. + +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) + +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) + +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. + +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. + +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. + +*1990 Participation au concours de nouvelles de Radio- +Canada avec ''Alexandre et Cassiopée. +'' +*1989 Participation au concours de nouvelles de Radio- +Canada avec ''Le mystère de la cathédrale. +'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. + +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. +ISBN 2-89026-368-1. (Prix Robert Cliche) + +*1988 Co-édition aux Éditions Jean Picollec, à Paris, du +roman ''Passeport pour la liberté'', 303 pages, ISBN +2-86477-088-1. + +*1987 Participation au concours de nouvelles de Radio- +''Canada avec Le secret''. + +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). + +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce montée par la troupe de théâtre de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. + +*1982 Rédaction et direction de ''Au nom du père, de la fille et +du Sain d'esprit'', pièce de théâtre montée par la troupe +de théâtre de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. + +*1977 Co-rédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + 70m49x7cthdwxy9tebp0vn86i0ryk7t + + + 66731223 + 64526598 + 2011-06-24T08:01:08Z + + Perditax + 93028 + + + Ajout rapide de {{portail}} : + littérature ; avec [[Projet:JavaScript/Notices/BandeauxPortails|BandeauxPortails]], correction lien externe + wikitext + text/x-wiki + [[Fichier:Photo Tom Prague 08.jpg|thumb|Raymond Beaudet]] +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de trois romans, d’un essai, d’une trentaine de scénarios, de quelques nouvelles et de trois pièces de théâtre. + +==Honneurs== +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion. +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +==Bibliographie== +*2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits Mariverains 2010. +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits Mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. ISBN 978-2-923150-61-1 +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. ISBN 2-923150-28-7 +*2003 ''Vie 101'', Ouvrage publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. ISBN 2-923150-03-1 +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. ISBN 2-89026-368-1. (Prix Robert Cliche) +*1988 Co-édition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, ISBN 2-86477-088-1. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce montée par la troupe de théâtre de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de théâtre de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Co-rédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|littérature}} + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + 76ap5p9tu377y8mgvwspf3eaepjjmgm + + + 82302570 + 66731223 + 2012-08-25T06:41:19Z + + DSisyphBot + 482497 + + + Bot, [[WP:RBOT]] remplace prix Albert Londres par prix Albert-Londres + wikitext + text/x-wiki + [[Fichier:Photo Tom Prague 08.jpg|thumb|Raymond Beaudet]] +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de trois romans, d’un essai, d’une trentaine de scénarios, de quelques nouvelles et de trois pièces de théâtre. + +==Honneurs== +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion. +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +==Bibliographie== +*2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits Mariverains 2010. +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits Mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. ISBN 978-2-923150-61-1 +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. ISBN 2-923150-28-7 +*2003 ''Vie 101'', Ouvrage publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. ISBN 2-923150-03-1 +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. ISBN 2-89026-368-1. (Prix Robert-Cliche) +*1988 Co-édition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, ISBN 2-86477-088-1. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce montée par la troupe de théâtre de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de théâtre de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Co-rédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|littérature}} + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + pz4ngh6s9m6jt2lldj36jkd7y3ldg5u + + + 92116190 + 82302570 + 2013-04-15T16:09:50Z + + Ggal + 362597 + + /* Bibliographie */ + wikitext + text/x-wiki + [[Fichier:Photo Tom Prague 08.jpg|thumb|Raymond Beaudet]] +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de trois romans, d’un essai, d’une trentaine de scénarios, de quelques nouvelles et de trois pièces de théâtre. + +==Honneurs== +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion. +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +==Bibliographie== +*2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits Mariverains 2010. +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits Mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. ISBN 978-2-923150-61-1 +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. ISBN 2-923150-28-7 +*2003 ''Vie 101'', Ouvrage publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. ISBN 2-923150-03-1 +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. ISBN 2-89026-368-1. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, ISBN 2-86477-088-1. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce montée par la troupe de théâtre de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de théâtre de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|littérature}} + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + fh5iv28ssji2xpuvot1snhq91ttgyh1 + + + 103475301 + 92116190 + 2014-05-03T12:58:49Z + + 24.204.159.151 + + /* Bibliographie */ Ajouts de diverses publications + wikitext + text/x-wiki + [[Fichier:Photo Tom Prague 08.jpg|thumb|Raymond Beaudet]] +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de trois romans, d’un essai, d’une trentaine de scénarios, de quelques nouvelles et de trois pièces de théâtre. + +==Honneurs== +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion. +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +==Bibliographie== +*2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. ISBN 978-2-923706-63-4 +* 2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. ISBN 978-2-9809683-4-1 +* 2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012.ISBN-978-2-980-9683-3-4 +* 2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +* 2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. ISBN 978-2-980-9683-2-3 +* 2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010. +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. ISBN 978-2-923150-61-1 +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. ISBN 2-923150-28-7 +*2003 ''Vie 101'', Ouvrage publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. ISBN 2-923150-03-1 +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. ISBN 2-89026-368-1. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, ISBN 2-86477-088-1. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce montée par la troupe de théâtre de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de théâtre de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|littérature}} + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + 5z7nhb9r1brv90299bmp54cu0vwhx1h + + + 103475353 + 103475301 + 2014-05-03T13:01:08Z + + 24.204.159.151 + + wikitext + text/x-wiki + [[Fichier:Photo Tom Prague 08.jpg|thumb|Raymond Beaudet]] +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de quelques nouvelles et de trois pièces de théâtre. + +==Honneurs== +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion. +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +==Bibliographie== +*2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. ISBN 978-2-923706-63-4 +* 2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. ISBN 978-2-9809683-4-1 +* 2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012.ISBN-978-2-980-9683-3-4 +* 2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +* 2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. ISBN 978-2-980-9683-2-3 +* 2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010. +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. ISBN 978-2-923150-61-1 +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. ISBN 2-923150-28-7 +*2003 ''Vie 101'', Ouvrage publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. ISBN 2-923150-03-1 +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. ISBN 2-89026-368-1. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, ISBN 2-86477-088-1. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce montée par la troupe de théâtre de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de théâtre de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|littérature}} + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + hlahiquyy5rj2qylnzadixhdp5ikref + + + 103501390 + 103475353 + 2014-05-04T12:57:29Z + + 24.204.159.151 + + Mise à jour des publications + wikitext + text/x-wiki + [[Fichier:Photo Tom Prague 08.jpg|thumb|Raymond Beaudet]] +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de quelques nouvelles et de trois pièces de théâtre. + +==Honneurs== +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion. +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +==Bibliographie== +*2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. ISBN 978-2-923706-63-4 +* 2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +* 2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. ISBN 978-2-9809683-4-1 +* 2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012.ISBN-978-2-980-9683-3-4 +* 2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +* 2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. ISBN 978-2-980-9683-2-3 +* 2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010. +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. ISBN 978-2-923150-61-1 +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. ISBN 2-923150-28-7 +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. ISBN 2-923150-03-1 +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. ISBN 2-89026-368-1. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, ISBN 2-86477-088-1. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce montée par la troupe de théâtre de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de théâtre de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|littérature}} + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + lradzmzitgc8eq93r4a2w670he796m8 + + + 103542412 + 103501390 + 2014-05-05T17:04:30Z + + WikiCleanerBot + 351003 + + + [[WP:WPC|WPCleaner]] v1.32 - [[P:CS|Correction syntaxique]] (Numéro ISBN : syntaxe erronée) + wikitext + text/x-wiki + [[Fichier:Photo Tom Prague 08.jpg|thumb|Raymond Beaudet]] +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de quelques nouvelles et de trois pièces de théâtre. + +== Honneurs == +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion. +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. ISBN 978-2-923706-63-4 +* 2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +* 2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. ISBN 978-2-9809683-4-1 +* 2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012.ISBN 978-2-980-9683-3-4 +* 2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +* 2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN à vérifier|978-2-980-9683-2-3|raison=Le calcul de la somme de contrôle donne 7 et non 3|date=5 mai 2014}} +* 2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010. +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. ISBN 978-2-923150-61-1 +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. ISBN 2-923150-28-7 +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. ISBN 2-923150-03-1 +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. ISBN 2-89026-368-1. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, ISBN 2-86477-088-1. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce montée par la troupe de théâtre de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de théâtre de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|littérature}} + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + h8coyd8q0bm0g2rtxqfwhrvfn5c9hal + + + 104660829 + 103542412 + 2014-06-14T19:20:29Z + + Patag70 + 1701443 + + + Modification ISBN + wikitext + text/x-wiki + [[Fichier:Photo Tom Prague 08.jpg|thumb|Raymond Beaudet]] +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de quelques nouvelles et de trois pièces de théâtre. + +== Honneurs == +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion. +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. ISBN 978-2-923706-63-4 +* 2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +* 2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. ISBN 978-2-9809683-4-1 +* 2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012.ISBN 978-2-980-9683-3-4 +* 2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +* 2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +* 2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010. +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. ISBN 978-2-923150-61-1 +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. ISBN 2-923150-28-7 +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. ISBN 2-923150-03-1 +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. ISBN 2-89026-368-1. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, ISBN 2-86477-088-1. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce montée par la troupe de théâtre de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de théâtre de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|littérature}} + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + c681kslws33po1iam7pndjnzh5ltje4 + + + 104798164 + 104660829 + 2014-06-19T14:38:36Z + + 24.204.159.151 + + /* Bibliographie */ ajout d'une publication + wikitext + text/x-wiki + [[Fichier:Photo Tom Prague 08.jpg|thumb|Raymond Beaudet]] +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de quelques nouvelles et de trois pièces de théâtre. + +== Honneurs == +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion. +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, ISBN-978-2-9809683-5-8 +* 2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. ISBN 978-2-923706-63-4 +* 2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +* 2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. ISBN 978-2-9809683-4-1 +* 2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012.ISBN 978-2-980-9683-3-4 +* 2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +* 2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +* 2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, ISBN-978-2-980-9683-1-0 +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. ISBN 978-2-923150-61-1 +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. ISBN 2-923150-28-7 +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. ISBN 2-923150-03-1 +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. ISBN 2-89026-368-1. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, ISBN 2-86477-088-1. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce montée par la troupe de théâtre de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de théâtre de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|littérature}} + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + notrdbtoijmsip0ec3l23qux55gtqqh + + + 104829495 + 104798164 + 2014-06-20T15:58:25Z + + WikiCleanerBot + 351003 + + + [[WP:WPC|WPCleaner]] v1.33 - [[P:CS|Correction syntaxique]] (Numéro ISBN : syntaxe erronée) + wikitext + text/x-wiki + [[Fichier:Photo Tom Prague 08.jpg|thumb|Raymond Beaudet]] +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de quelques nouvelles et de trois pièces de théâtre. + +== Honneurs == +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion. +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, ISBN 978-2-9809683-5-8 +* 2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. ISBN 978-2-923706-63-4 +* 2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +* 2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. ISBN 978-2-9809683-4-1 +* 2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012.ISBN 978-2-980-9683-3-4 +* 2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +* 2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +* 2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, ISBN 978-2-980-9683-1-0 +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. ISBN 978-2-923150-61-1 +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. ISBN 2-923150-28-7 +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. ISBN 2-923150-03-1 +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. ISBN 2-89026-368-1. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, ISBN 2-86477-088-1. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce montée par la troupe de théâtre de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de théâtre de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|littérature}} + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + g3qfkquj8mfi8tnndikp87px43go6jj + + + 104922470 + 104829495 + 2014-06-24T10:35:17Z + + Le pro du 94 :) + 1061593 + + + + lien vers homonymes + wikitext + text/x-wiki + {{voir homonymes|Beaudet}} +[[Fichier:Photo Tom Prague 08.jpg|thumb|Raymond Beaudet]] +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de quelques nouvelles et de trois pièces de théâtre. + +== Honneurs == +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion. +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, ISBN 978-2-9809683-5-8 +* 2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. ISBN 978-2-923706-63-4 +* 2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +* 2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. ISBN 978-2-9809683-4-1 +* 2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012.ISBN 978-2-980-9683-3-4 +* 2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +* 2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +* 2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, ISBN 978-2-980-9683-1-0 +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. ISBN 978-2-923150-61-1 +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. ISBN 2-923150-28-7 +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. ISBN 2-923150-03-1 +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. ISBN 2-89026-368-1. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, ISBN 2-86477-088-1. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce montée par la troupe de théâtre de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de théâtre de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|littérature}} + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + 29kmhrlbn7t70ahkklrzu1pacva47mi + + + 114360018 + 104922470 + 2015-04-21T21:17:46Z + + 199.102.205.160 + + /* Bibliographie */ mise à jour des publications + wikitext + text/x-wiki + {{voir homonymes|Beaudet}} +[[Fichier:Photo Tom Prague 08.jpg|thumb|Raymond Beaudet]] +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de quelques nouvelles et de trois pièces de théâtre. + +== Honneurs == +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion. +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, ISBN 978-2-9809683-5-8 +* 2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. ISBN 978-2-923706-63-4 +* 2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +* 2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. ISBN 978-2-9809683-4-1 +* 2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012.ISBN 978-2-980-9683-3-4 +* 2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +* 2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +* 2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, ISBN 978-2-980-9683-1-0 +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. ISBN 978-2-923150-61-1 +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. ISBN 2-923150-28-7 +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. ISBN 2-923150-03-1 +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. ISBN 2-89026-368-1. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, ISBN 2-86477-088-1. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce montée par la troupe de théâtre de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de théâtre de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|littérature}} + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + 24qrcl6pdxb2w45k97u1s6yrp79i1ll + + + 116045152 + 114360018 + 2015-06-16T13:35:48Z + + 199.102.205.160 + + Ajout d'une publication + wikitext + text/x-wiki + {{voir homonymes|Beaudet}} +[[Fichier:Photo Tom Prague 08.jpg|thumb|Raymond Beaudet]] +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de quelques nouvelles et de trois pièces de théâtre. + +== Honneurs == +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion. +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2015 Impressions de voyage : le Chili, nouvelle parue dans Les Écrits mariverains 2015, ISBN 978-2-9809683-6-5 +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, ISBN 978-2-9809683-5-8 +* 2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. ISBN 978-2-923706-63-4 +* 2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +* 2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. ISBN 978-2-9809683-4-1 +* 2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012.ISBN 978-2-980-9683-3-4 +* 2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +* 2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +* 2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, ISBN 978-2-980-9683-1-0 +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. ISBN 978-2-923150-61-1 +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. ISBN 2-923150-28-7 +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. ISBN 2-923150-03-1 +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. ISBN 2-89026-368-1. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, ISBN 2-86477-088-1. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce montée par la troupe de théâtre de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de théâtre de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|littérature}} + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + l7tpdq2a8xnn374bzoiqxqc1qtalr8i + + + 125830324 + 116045152 + 2016-05-02T21:51:14Z + + 72.11.179.203 + + /* Honneurs */ ajout d'un prix + wikitext + text/x-wiki + {{voir homonymes|Beaudet}} +[[Fichier:Photo Tom Prague 08.jpg|thumb|Raymond Beaudet]] +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de plusieurs nouvelles et de trois pièces de théâtre. Depuis 2014, il est actif en twittérature. + +== Honneurs == +* Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016 +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion. +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2016 La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage : le Chili, nouvelle parue dans Les Écrits mariverains 2015, ISBN 978-2-9809683-6-5 +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, ISBN 978-2-9809683-5-8 +* 2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. ISBN 978-2-923706-63-4 +* 2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +* 2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. ISBN 978-2-9809683-4-1 +* 2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012.ISBN 978-2-980-9683-3-4 +* 2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +* 2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +* 2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, ISBN 978-2-980-9683-1-0 +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. ISBN 978-2-923150-61-1 +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. ISBN 2-923150-28-7 +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. ISBN 2-923150-03-1 +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. ISBN 2-89026-368-1. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, ISBN 2-86477-088-1. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce montée par la troupe de théâtre de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de théâtre de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|littérature}} + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + soz1cjozlh0emkwzhott2w4pcpnjglv + + + 127424529 + 125830324 + 2016-06-28T12:55:23Z + + 72.11.179.203 + + /* Bibliographie */ ajout d'une publication. + wikitext + text/x-wiki + {{voir homonymes|Beaudet}} +[[Fichier:Photo Tom Prague 08.jpg|thumb|Raymond Beaudet]] +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de plusieurs nouvelles et de trois pièces de théâtre. Depuis 2014, il est actif en twittérature. + +== Honneurs == +* Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016 +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion. +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2016 Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, ISBN-978-2-9809683-7-2 +*2016 La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage : le Chili, nouvelle parue dans Les Écrits mariverains 2015, ISBN 978-2-9809683-6-5 +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, ISBN 978-2-9809683-5-8 +* 2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. ISBN 978-2-923706-63-4 +* 2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +* 2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. ISBN 978-2-9809683-4-1 +* 2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012.ISBN 978-2-980-9683-3-4 +* 2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +* 2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +* 2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, ISBN 978-2-980-9683-1-0 +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. ISBN 978-2-923150-61-1 +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. ISBN 2-923150-28-7 +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. ISBN 2-923150-03-1 +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. ISBN 2-89026-368-1. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, ISBN 2-86477-088-1. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce montée par la troupe de théâtre de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de théâtre de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|littérature}} + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + 16y29ghcezoqaj0how37rtv3zt8c60c + + + 127443489 + 127424529 + 2016-06-29T06:50:16Z + + WikiCleanerBot + 351003 + + + v1.39 - [[P:CS|Correction syntaxique]] (Numéro ISBN : syntaxe erronée) + wikitext + text/x-wiki + {{voir homonymes|Beaudet}} +[[Fichier:Photo Tom Prague 08.jpg|thumb|Raymond Beaudet]] +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de plusieurs nouvelles et de trois pièces de théâtre. Depuis 2014, il est actif en twittérature. + +== Honneurs == +* Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016 +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion. +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2016 Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}} +*2016 La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage : le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}} +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}} +* 2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}} +* 2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +* 2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}} +* 2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}} +* 2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +* 2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +* 2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}} +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}} +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}} +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce montée par la troupe de théâtre de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de théâtre de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|littérature}} + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + 77zictr5lzs4bgivlz4tt2csqrnulvm + + + 141501976 + 127443489 + 2017-10-14T03:54:01Z + + Gounter Rudolph + 2074968 + + + wikitext + text/x-wiki + {{voir homonymes|Beaudet}} +[[Fichier:Photo Tom Prague 08.jpg|thumb|Raymond Beaudet]] +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de plusieurs nouvelles et de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]. + +== Honneurs == +* Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016 +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion. +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2016 Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}} +*2016 La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage : le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}} +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}} +* 2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}} +* 2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +* 2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}} +* 2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}} +* 2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +* 2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +* 2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}} +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}} +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}} +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce montée par la troupe de théâtre de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de théâtre de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|littérature}} + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + 4j174ks1ta0bfwfjq9m3s5e0jujk9be + + + 143550695 + 141501976 + 2017-12-15T15:24:47Z + + 72.11.179.203 + + /* Bibliographie */ mise à jour des publications + wikitext + text/x-wiki + {{voir homonymes|Beaudet}} +[[Fichier:Photo Tom Prague 08.jpg|thumb|Raymond Beaudet]] +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de plusieurs nouvelles et de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]. + +== Honneurs == +* Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016 +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion. +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2017 L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, (<small>([[International Standard Book Number|ISBN]] [[Spécial:Ouvrages de référence/978-2-9809683-7-2|978-2-9809683-8-9]])</small> +*2017 Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}} +*2016 La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage : le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}} +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}} +* 2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}} +* 2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +* 2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}} +* 2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}} +* 2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +* 2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +* 2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}} +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}} +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}} +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce montée par la troupe de théâtre de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de théâtre de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|littérature}} + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + 3mfev99mvf1o9g5r7cf7lkq89xn6s1v + + + 143782758 + 143550695 + 2017-12-23T15:55:06Z + + WikiCleanerBot + 351003 + + + v1.43 - [[P:CS|Correction syntaxique]] (Numéro ISBN : syntaxe erronée) + wikitext + text/x-wiki + {{voir homonymes|Beaudet}} +[[Fichier:Photo Tom Prague 08.jpg|thumb|Raymond Beaudet]] +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de plusieurs nouvelles et de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]. + +== Honneurs == +* Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016 +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion. +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2017 L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}} +*2017 Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}} +*2016 La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage : le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}} +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}} +* 2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}} +* 2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +* 2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}} +* 2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}} +* 2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +* 2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +* 2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}} +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}} +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}} +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce montée par la troupe de théâtre de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de théâtre de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|littérature}} + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + 81hwfkky17dg88r9zodld2j4ri93rk3 + + + 153109835 + 143782758 + 2018-10-16T16:26:41Z + + Raymond Beaudet + 479201 + + Mise à jour des publications. + wikitext + text/x-wiki + {{voir homonymes|Beaudet}} +[[Fichier:Photo Tom Prague 08.jpg|thumb|Raymond Beaudet]] +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de plusieurs nouvelles et de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]. + +== Honneurs == +* Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016 +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion. +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2018 Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, (ISBN 978-2-9809683-9-6) +*2018 La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}} +*2017 Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}} +*2016 La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage : le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}} +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}} +* 2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}} +* 2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +* 2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}} +* 2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}} +* 2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +* 2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +* 2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}} +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}} +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}} +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce montée par la troupe de théâtre de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de théâtre de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|littérature}} + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + 37k8h6pczx4hxpz6pl0t5bz2ptre34c + + + 154384783 + 153109835 + 2018-11-30T10:37:46Z + + Authueil + 142917 + + wikitext + text/x-wiki + {{voir homonymes|Beaudet}} +{{Infobox Biographie2}} + +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de plusieurs nouvelles et de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]. + +== Honneurs == +* Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016 +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion. +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2018 Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, (ISBN 978-2-9809683-9-6) +*2018 La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}} +*2017 Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}} +*2016 La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage : le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}} +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}} +* 2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}} +* 2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +* 2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}} +* 2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}} +* 2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +* 2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +* 2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}} +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}} +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}} +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce montée par la troupe de théâtre de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de théâtre de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|littérature}} + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + 7yj8eibn7xm7h4dw1jq7ft9swa79bsv + + + 157911197 + 154384783 + 2019-03-27T12:41:12Z + + WikiCleanerBot + 351003 + + + v2.01 - [[P:CS|Correction syntaxique]] (Lien magique ISBN obsolète) + wikitext + text/x-wiki + {{À sourcer|date=mars 2019}} +{{voir homonymes|Beaudet}} +{{Infobox Biographie2}} + +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de plusieurs nouvelles et de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]. + +== Honneurs == +* Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016 +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion. +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2018 Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, {{ISBN|978-2-9809683-9-6}} +*2018 La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}} +*2017 Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}} +*2016 La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage : le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}} +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}} +* 2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}} +* 2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +* 2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}} +* 2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}} +* 2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +* 2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +* 2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}} +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}} +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}} +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce montée par la troupe de théâtre de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de théâtre de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|littérature}} + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + m16kjqp7wer42r10j74s8c8axcfznnu + + + 159485992 + 157911197 + 2019-05-22T17:47:46Z + + SuperTom4277 + 3477067 + + + /* Honneurs */ MRC Nouvelle-Beauce + wikitext + text/x-wiki + {{À sourcer|date=mars 2019}} +{{voir homonymes|Beaudet}} +{{Infobox Biographie2}} + +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de plusieurs nouvelles et de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]. + +== Honneurs == +* Prix du Patrimoine (2019) Catégorie Interprétation et Diffusion +*Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016 +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2019 Voix de dépassement, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, {{ISBN|978-2-9809683-9-6}} +*2018 La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}} +*2017 Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}} +*2016 La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage : le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}} +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}} +* 2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}} +* 2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +* 2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}} +* 2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}} +* 2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +* 2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +* 2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}} +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}} +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}} +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce montée par la troupe de théâtre de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de théâtre de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|littérature}} + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + 1h70u57obhrx1yb2asoawr4uoimbq0g + + + 163613183 + 159485992 + 2019-10-17T14:20:46Z + + 24.204.148.251 + + Nouvelle publication + wikitext + text/x-wiki + {{À sourcer|date=mars 2019}} +{{voir homonymes|Beaudet}} +{{Infobox Biographie2}} + +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de plusieurs nouvelles et de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]. + +== Honneurs == +* Prix du Patrimoine (2019) Catégorie Interprétation et Diffusion +*Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016 +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2019 Carnet d'un passager clandestin, nouvelle parue dans Les Écrits Mariverains 2019, (ISBN-978-2-9810768-0-9) +*2019 Voix de dépassement, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, {{ISBN|978-2-9809683-9-6}} +*2018 La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}} +*2017 Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}} +*2016 La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage : le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}} +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}} +* 2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}} +* 2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +* 2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}} +* 2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}} +* 2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +* 2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +* 2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}} +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}} +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}} +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce montée par la troupe de théâtre de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de théâtre de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|littérature}} + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + h83xf1wv1fyuu1o8in77418kc27bofd + + + 163756443 + 163613183 + 2019-10-22T19:01:10Z + + WikiCleanerBot + 351003 + + + v2.02 - [[P:CS|Correction syntaxique]] (Numéro ISBN : syntaxe erronée) + wikitext + text/x-wiki + {{À sourcer|date=mars 2019}} +{{voir homonymes|Beaudet}} +{{Infobox Biographie2}} + +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de plusieurs nouvelles et de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]. + +== Honneurs == +* Prix du Patrimoine (2019) Catégorie Interprétation et Diffusion +*Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016 +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2019 Carnet d'un passager clandestin, nouvelle parue dans Les Écrits Mariverains 2019, {{ISBN|978-2-9810768-0-9}} +*2019 Voix de dépassement, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, {{ISBN|978-2-9809683-9-6}} +*2018 La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}} +*2017 Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}} +*2016 La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage : le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}} +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}} +* 2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}} +* 2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +* 2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}} +* 2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}} +* 2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +* 2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +* 2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}} +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}} +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}} +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce montée par la troupe de théâtre de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de théâtre de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|littérature}} + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + gjqgf7ii3zdhphf5wkt1a8xbnpvox73 + + + 165463529 + 163756443 + 2019-12-16T17:16:49Z + + SuperTom4277 + 3477067 + + /* Bibliographie */ ajout d'une publication + wikitext + text/x-wiki + {{À sourcer|date=mars 2019}} +{{voir homonymes|Beaudet}} +{{Infobox Biographie2}} + +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de plusieurs nouvelles et de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]. + +== Honneurs == +* Prix du Patrimoine (2019) Catégorie Interprétation et Diffusion +*Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016 +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2019 Tableaux et portraits mariverains, Capsules historiques, (<nowiki>ISBN 978-2-9810768-2-3</nowiki>). +*2019 Carnet d'un passager clandestin, nouvelle parue dans Les Écrits Mariverains 2019, {{ISBN|978-2-9810768-0-9}} +*2019 Voix de dépassement, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, {{ISBN|978-2-9809683-9-6}} +*2018 La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}} +*2017 Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}} +*2016 La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage : le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}} +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}} +* 2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}} +* 2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +* 2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}} +* 2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}} +* 2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +* 2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +* 2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}} +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}} +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}} +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce montée par la troupe de théâtre de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de théâtre de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|littérature}} + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + blt8tqtvdx0itbid3l3woct2i5y0au2 + + + 165586805 + 165463529 + 2019-12-21T11:51:28Z + + WikiCleanerBot + 351003 + + + v2.02 - [[P:CS|Correction syntaxique]] (Numéro ISBN : syntaxe erronée - Balises <nowiki>) + wikitext + text/x-wiki + {{À sourcer|date=mars 2019}} +{{voir homonymes|Beaudet}} +{{Infobox Biographie2}} + +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de plusieurs nouvelles et de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]. + +== Honneurs == +* Prix du Patrimoine (2019) Catégorie Interprétation et Diffusion +*Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016 +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2019 Tableaux et portraits mariverains, Capsules historiques, {{ISBN|978-2-9810768-2-3}}. +*2019 Carnet d'un passager clandestin, nouvelle parue dans Les Écrits Mariverains 2019, {{ISBN|978-2-9810768-0-9}} +*2019 Voix de dépassement, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, {{ISBN|978-2-9809683-9-6}} +*2018 La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}} +*2017 Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}} +*2016 La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage : le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}} +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}} +* 2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}} +* 2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +* 2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}} +* 2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}} +* 2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +* 2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +* 2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}} +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}} +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}} +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce montée par la troupe de théâtre de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de théâtre de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|littérature}} + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] + 1w99ewcqr7d62gaa69ciklw9a8j8fds + + + 174832748 + 165586805 + 2020-09-19T05:38:47Z + + Jmax + 68688 + + + + [[Catégorie:Naissance en 1950]] + wikitext + text/x-wiki + {{À sourcer|date=mars 2019}} +{{voir homonymes|Beaudet}} +{{Infobox Biographie2}} + +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de plusieurs nouvelles et de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]. + +== Honneurs == +* Prix du Patrimoine (2019) Catégorie Interprétation et Diffusion +*Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016 +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2019 Tableaux et portraits mariverains, Capsules historiques, {{ISBN|978-2-9810768-2-3}}. +*2019 Carnet d'un passager clandestin, nouvelle parue dans Les Écrits Mariverains 2019, {{ISBN|978-2-9810768-0-9}} +*2019 Voix de dépassement, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, {{ISBN|978-2-9809683-9-6}} +*2018 La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}} +*2017 Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}} +*2016 La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage : le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}} +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}} +* 2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}} +* 2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +* 2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}} +* 2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}} +* 2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +* 2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +* 2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}} +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}} +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}} +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce montée par la troupe de théâtre de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de théâtre de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|littérature}} + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] +[[Catégorie:Naissance en 1950]] + pa3lzux9ekc8305noo1srf9x3pik51s + + + 175708416 + 174832748 + 2020-10-19T06:47:23Z + + Mandariine + 205425 + + trop de crème dans les choux + wikitext + text/x-wiki + {{À sourcer|date=mars 2019}} +{{voir homonymes|Beaudet}} +{{Infobox Biographie2}} + +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de plusieurs nouvelles et de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]. + +== Honneurs == +* Prix du Patrimoine (2019) Catégorie Interprétation et Diffusion +*Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016 +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2019 Tableaux et portraits mariverains, Capsules historiques, {{ISBN|978-2-9810768-2-3}}. +*2019 Carnet d'un passager clandestin, nouvelle parue dans Les Écrits Mariverains 2019, {{ISBN|978-2-9810768-0-9}} +*2019 Voix de dépassement, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, {{ISBN|978-2-9809683-9-6}} +*2018 La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}} +*2017 Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}} +*2016 La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage : le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}} +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}} +* 2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}} +* 2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +* 2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}} +* 2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}} +* 2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +* 2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +* 2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}} +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}} +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}} +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce de théâtre montée par la troupe de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|littérature}} + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] +[[Catégorie:Naissance en 1950]] + 66f2wrov6q0u3fssg4f16llo7e6u2ly + + + 178141694 + 175708416 + 2020-12-28T16:04:48Z + + SuperTom4277 + 3477067 + + Ajout d'une publication + wikitext + text/x-wiki + {{À sourcer|date=mars 2019}} +{{voir homonymes|Beaudet}} +{{Infobox Biographie2}} + +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de plusieurs nouvelles et de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]. + +== Honneurs == +* Prix du Patrimoine (2019) Catégorie Interprétation et Diffusion +*Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016 +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2020 EN décide de vendre, nouvelle parue dans Les Écrits mariverains 2020, {{ISBN|978-2-9810768-2-3}} +*2019 Tableaux et portraits mariverains, Capsules historiques, {{ISBN|978-2-9810768-2-3}}. +*2019 Carnet d'un passager clandestin, nouvelle parue dans Les Écrits Mariverains 2019, {{ISBN|978-2-9810768-0-9}} +*2019 Voix de dépassement, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, {{ISBN|978-2-9809683-9-6}} +*2018 La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}} +*2017 Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}} +*2016 La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage : le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}} +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}} +* 2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}} +* 2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +* 2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}} +* 2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}} +* 2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +* 2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +* 2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}} +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}} +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}} +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce de théâtre montée par la troupe de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|littérature}} + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] +[[Catégorie:Naissance en 1950]] + a13kkqyxvuhsw2aitfl1pvtauiisewn + + + 178141731 + 178141694 + 2020-12-28T16:05:43Z + + SuperTom4277 + 3477067 + + /* Bibliographie */ correction d'un caractère + wikitext + text/x-wiki + {{À sourcer|date=mars 2019}} +{{voir homonymes|Beaudet}} +{{Infobox Biographie2}} + +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de plusieurs nouvelles et de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]. + +== Honneurs == +* Prix du Patrimoine (2019) Catégorie Interprétation et Diffusion +*Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016 +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2020 En décide de vendre, nouvelle parue dans Les Écrits mariverains 2020, {{ISBN|978-2-9810768-2-3}} +*2019 Tableaux et portraits mariverains, Capsules historiques, {{ISBN|978-2-9810768-2-3}}. +*2019 Carnet d'un passager clandestin, nouvelle parue dans Les Écrits Mariverains 2019, {{ISBN|978-2-9810768-0-9}} +*2019 Voix de dépassement, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, {{ISBN|978-2-9809683-9-6}} +*2018 La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}} +*2017 Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}} +*2016 La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage : le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}} +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}} +* 2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}} +* 2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +* 2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}} +* 2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}} +* 2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +* 2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +* 2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}} +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}} +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}} +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce de théâtre montée par la troupe de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|littérature}} + +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] +[[Catégorie:Naissance en 1950]] + fs44pljaq7apmco6ykx22ekoao7nkkh + + + 179272379 + 178141731 + 2021-01-27T13:57:09Z + + Etambot + 3780940 + + + clé de tri + wikitext + text/x-wiki + {{À sourcer|date=mars 2019}} +{{voir homonymes|Beaudet}} +{{Infobox Biographie2}} + +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de plusieurs nouvelles et de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]. + +== Honneurs == +* Prix du Patrimoine (2019) Catégorie Interprétation et Diffusion +*Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016 +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2020 En décide de vendre, nouvelle parue dans Les Écrits mariverains 2020, {{ISBN|978-2-9810768-2-3}} +*2019 Tableaux et portraits mariverains, Capsules historiques, {{ISBN|978-2-9810768-2-3}}. +*2019 Carnet d'un passager clandestin, nouvelle parue dans Les Écrits Mariverains 2019, {{ISBN|978-2-9810768-0-9}} +*2019 Voix de dépassement, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, {{ISBN|978-2-9809683-9-6}} +*2018 La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}} +*2017 Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}} +*2016 La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage : le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}} +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}} +* 2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}} +* 2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +* 2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}} +* 2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}} +* 2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +* 2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +* 2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +* 2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}} +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}} +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}} +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce de théâtre montée par la troupe de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|littérature}} + +{{CLEDETRI:Beaudet, Raymond}} +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] +[[Catégorie:Naissance en 1950]] + rlgwkq5kbhyu9c1blnls0d6ngku7ji0 + + + 179875078 + 179272379 + 2021-02-13T15:56:52Z + + SuperTom4277 + 3477067 + + Ajout d'une publication + wikitext + text/x-wiki + {{À sourcer|date=mars 2019}} +{{voir homonymes|Beaudet}} +{{Infobox Biographie2}} + +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de plusieurs nouvelles et de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]. + +== Honneurs == +*Prix du Patrimoine (2019) Catégorie Interprétation et Diffusion +*Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016 +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2021 Le bonheur, chroniques d'une vie à la campagne, publié aux Éditions de la Roupille, 270 pages ISBN 978-2-924304-40-2 +2020 En décide de vendre, nouvelle parue dans Les Écrits mariverains 2020, {{ISBN|978-2-9810768-2-3}} +*2019 Tableaux et portraits mariverains, Capsules historiques, {{ISBN|978-2-9810768-2-3}}. +*2019 Carnet d'un passager clandestin, nouvelle parue dans Les Écrits Mariverains 2019, {{ISBN|978-2-9810768-0-9}} +*2019 Voix de dépassement, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, {{ISBN|978-2-9809683-9-6}} +*2018 La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}} +*2017 Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}} +*2016 La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage : le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}} +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}} +*2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}} +*2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}} +*2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}} +*2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +*2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +*2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}} +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}} +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}} +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce de théâtre montée par la troupe de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|littérature}} + +{{CLEDETRI:Beaudet, Raymond}} +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] +[[Catégorie:Naissance en 1950]] + 3nxfhoceqm52zwgrmgj6acew01o20j6 + + + 179875101 + 179875078 + 2021-02-13T15:57:45Z + + SuperTom4277 + 3477067 + + + /* Bibliographie */ ajour d'une publication + wikitext + text/x-wiki + {{À sourcer|date=mars 2019}} +{{voir homonymes|Beaudet}} +{{Infobox Biographie2}} + +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de plusieurs nouvelles et de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]. + +== Honneurs == +*Prix du Patrimoine (2019) Catégorie Interprétation et Diffusion +*Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016 +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2021 Le bonheur, chroniques d'une vie à la campagne, publié aux Éditions de la Roupille, 270 pages ISBN 978-2-924304-40-2 +*2020 En décide de vendre, nouvelle parue dans Les Écrits mariverains 2020, {{ISBN|978-2-9810768-2-3}} + +*2019 Tableaux et portraits mariverains, Capsules historiques, {{ISBN|978-2-9810768-2-3}}. +*2019 Carnet d'un passager clandestin, nouvelle parue dans Les Écrits Mariverains 2019, {{ISBN|978-2-9810768-0-9}} +*2019 Voix de dépassement, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, {{ISBN|978-2-9809683-9-6}} +*2018 La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}} +*2017 Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}} +*2016 La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage : le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}} +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}} +*2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}} +*2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}} +*2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}} +*2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +*2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +*2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}} +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}} +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}} +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce de théâtre montée par la troupe de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|littérature}} + +{{CLEDETRI:Beaudet, Raymond}} +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] +[[Catégorie:Naissance en 1950]] + 2tcmxp7bhalr0v1q85t3qbqfqul11nx + + + 179886647 + 179875101 + 2021-02-13T21:45:42Z + + Hyméros + 1956926 + + + v2.04 - [[P:CS|Correction syntaxique]] (Orthographe et typographie - Lien magique ISBN obsolète) + wikitext + text/x-wiki + {{À sourcer|date=mars 2019}} +{{voir homonymes|Beaudet}} +{{Infobox Biographie2}} +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de plusieurs nouvelles et de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]. + +== Honneurs == +*Prix du Patrimoine (2019) Catégorie Interprétation et Diffusion +*Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016 +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2021 Le bonheur, chroniques d'une vie à la campagne, publié aux Éditions de la Roupille, 270 pages {{ISBN|978-2-924304-40-2}} +*2020 En décide de vendre, nouvelle parue dans Les Écrits mariverains 2020, {{ISBN|978-2-9810768-2-3}} + +*2019 : +** Tableaux et portraits mariverains, Capsules historiques, {{ISBN|978-2-9810768-2-3}}. +** Carnet d'un passager clandestin, nouvelle parue dans Les Écrits Mariverains 2019, {{ISBN|978-2-9810768-0-9}} +** Voix de dépassement, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 +** Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, {{ISBN|978-2-9809683-9-6}} +** La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés. +** La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 +** L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}} +** Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 +** Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}} +** La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage : le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}} +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}} +*2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}} +*2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}} +*2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}} +*2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +*2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +*2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}} +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}} +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}} +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce de théâtre montée par la troupe de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|littérature}} + +{{CLEDETRI:Beaudet, Raymond}} +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] +[[Catégorie:Naissance en 1950]] + gcztym9pvfpkh5peu187doykx808uwp + + + 179886695 + 179886647 + 2021-02-13T21:47:05Z + + Hyméros + 1956926 + + Ajout de {{[[Modèle:Admissibilité à vérifier|Admissibilité à vérifier]]}} et {{[[Modèle:Sans source|Sans source]]}} + wikitext + text/x-wiki + {{Admissibilité à vérifier|date=février 2021|motif=Pas privatisée depuis sa création, pas de sources, rien démontrant autre chose qu'une recherche de notoriété.}} +{{Sans source|date=février 2021}} +{{À sourcer|date=mars 2019}} +{{voir homonymes|Beaudet}} +{{Infobox Biographie2}} +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de plusieurs nouvelles et de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]. + +== Honneurs == +*Prix du Patrimoine (2019) Catégorie Interprétation et Diffusion +*Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016 +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2021 Le bonheur, chroniques d'une vie à la campagne, publié aux Éditions de la Roupille, 270 pages {{ISBN|978-2-924304-40-2}} +*2020 En décide de vendre, nouvelle parue dans Les Écrits mariverains 2020, {{ISBN|978-2-9810768-2-3}} + +*2019 : +** Tableaux et portraits mariverains, Capsules historiques, {{ISBN|978-2-9810768-2-3}}. +** Carnet d'un passager clandestin, nouvelle parue dans Les Écrits Mariverains 2019, {{ISBN|978-2-9810768-0-9}} +** Voix de dépassement, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 +** Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, {{ISBN|978-2-9809683-9-6}} +** La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés. +** La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 +** L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}} +** Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 +** Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}} +** La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage : le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}} +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}} +*2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}} +*2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}} +*2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}} +*2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +*2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +*2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}} +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}} +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}} +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce de théâtre montée par la troupe de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|littérature}} + +{{CLEDETRI:Beaudet, Raymond}} +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] +[[Catégorie:Naissance en 1950]] + 5syx6fpzm5ahlfepf9sgkke6uozk6cp + + + 182036618 + 179886695 + 2021-04-18T14:54:05Z + + Mi Ga + 38974 + + Ajout + wikitext + text/x-wiki + {{Admissibilité à vérifier|date=février 2021|motif=Pas privatisée depuis sa création, pas de sources, rien démontrant autre chose qu'une recherche de notoriété.}} +{{Sans source|date=février 2021}} +{{À sourcer|date=mars 2019}} +{{voir homonymes|Beaudet}} +{{Infobox Biographie2}} +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de plusieurs nouvelles et de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]. + +== Honneurs == +*Prix du Patrimoine (2019) Catégorie Interprétation et Diffusion +*Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016 +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2021 Le bonheur, chroniques d'une vie à la campagne, publié aux Éditions de la Roupille, 270 pages {{ISBN|978-2-924304-40-2}} +*2020 En décide de vendre, nouvelle parue dans Les Écrits mariverains 2020, {{ISBN|978-2-9810768-2-3}} + +*2019 : +** Tableaux et portraits mariverains, Capsules historiques, {{ISBN|978-2-9810768-2-3}}. +** Carnet d'un passager clandestin, nouvelle parue dans Les Écrits Mariverains 2019, {{ISBN|978-2-9810768-0-9}} +** Voix de dépassement, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 +** Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, {{ISBN|978-2-9809683-9-6}} +** La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés. +** La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 +** L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}} +** Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 +** Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}} +** La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage : le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}} +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}} +*2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}} +*2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}} +*2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}} +*2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +*2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +*2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}} +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}} +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}} +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce de théâtre montée par la troupe de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|Québec|littérature}} + +{{CLEDETRI:Beaudet, Raymond}} +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] +[[Catégorie:Naissance en 1950]] + f01uxloeorrv0mxq12gvil0jni2hc60 + + + 186536193 + 182036618 + 2021-09-22T15:22:41Z + + SuperTom4277 + 3477067 + + Mise à jour en incluant de nouvelles publications + wikitext + text/x-wiki + {{Admissibilité à vérifier|date=février 2021|motif=Pas privatisée depuis sa création, pas de sources, rien démontrant autre chose qu'une recherche de notoriété.}} +{{Sans source|date=février 2021}} +{{À sourcer|date=mars 2019}} +{{voir homonymes|Beaudet}} +{{Infobox Biographie2}} +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de plusieurs nouvelles et de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]. + +== Honneurs == +*Prix du Patrimoine (2019) Catégorie Interprétation et Diffusion +*Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016 +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2021 Les lieux enchantés du Parc Taschereau, publié aux Éditions de la Roupille, 96 pages, ISBN : 978-2-924304-45-7 +*2021 Normand Maurice, père de la récupération au Québec, biographie publiée aux Éditions de la Roupille, 176 pages, ISBN : 978-2-924304-39-6 +*2021 Le bonheur, chroniques d'une vie à la campagne, publié aux Éditions de la Roupille, 270 pages {{ISBN|978-2-924304-40-2}} +*2020 En décide de vendre, nouvelle parue dans Les Écrits mariverains 2020, {{ISBN|978-2-9810768-2-3}} + +*2019 : +** Tableaux et portraits mariverains, Capsules historiques, {{ISBN|978-2-9810768-2-3}}. +** Carnet d'un passager clandestin, nouvelle parue dans Les Écrits Mariverains 2019, {{ISBN|978-2-9810768-0-9}} +** Voix de dépassement, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 +** Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, {{ISBN|978-2-9809683-9-6}} +** La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés. +** La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 +** L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}} +** Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 +** Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}} +** La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage : le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}} +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}} +*2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}} +*2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}} +*2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}} +*2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +*2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +*2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}} +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}} +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}} +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce de théâtre montée par la troupe de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|Québec|littérature}} + +{{CLEDETRI:Beaudet, Raymond}} +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] +[[Catégorie:Naissance en 1950]] + mv7yqxqjpw6793tytpofemlbh7det8j + + + 186586916 + 186536193 + 2021-09-24T15:24:48Z + + RG067 + 2867070 + + + v2.04 - [[P:CS|Correction syntaxique]] (Numéro ISBN : syntaxe erronée) + wikitext + text/x-wiki + {{Admissibilité à vérifier|date=février 2021|motif=Pas privatisée depuis sa création, pas de sources, rien démontrant autre chose qu'une recherche de notoriété.}} +{{Sans source|date=février 2021}} +{{À sourcer|date=mars 2019}} +{{voir homonymes|Beaudet}} +{{Infobox Biographie2}} +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de plusieurs nouvelles et de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]. + +== Honneurs == +*Prix du Patrimoine (2019) Catégorie Interprétation et Diffusion +*Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016 +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2021 Les lieux enchantés du Parc Taschereau, publié aux Éditions de la Roupille, 96 pages, {{ISBN|978-2-924304-45-7}} +*2021 Normand Maurice, père de la récupération au Québec, biographie publiée aux Éditions de la Roupille, 176 pages, {{ISBN|978-2-924304-39-6}} +*2021 Le bonheur, chroniques d'une vie à la campagne, publié aux Éditions de la Roupille, 270 pages {{ISBN|978-2-924304-40-2}} +*2020 En décide de vendre, nouvelle parue dans Les Écrits mariverains 2020, {{ISBN|978-2-9810768-2-3}} + +*2019 : +** Tableaux et portraits mariverains, Capsules historiques, {{ISBN|978-2-9810768-2-3}}. +** Carnet d'un passager clandestin, nouvelle parue dans Les Écrits Mariverains 2019, {{ISBN|978-2-9810768-0-9}} +** Voix de dépassement, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 +** Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, {{ISBN|978-2-9809683-9-6}} +** La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés. +** La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 +** L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}} +** Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 +** Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}} +** La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage : le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}} +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}} +*2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}} +*2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}} +*2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}} +*2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +*2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +*2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}} +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}} +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}} +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce de théâtre montée par la troupe de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|Québec|littérature}} + +{{CLEDETRI:Beaudet, Raymond}} +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] +[[Catégorie:Naissance en 1950]] + d0dj145oqdo8n3m7bj062hewypdk85n + + + 186646730 + 186586916 + 2021-09-26T21:16:59Z + + Chris a liege + 10340 + + wikitext + text/x-wiki + {{suppression}} +{{Sans source|date=février 2021}} +{{À sourcer|date=mars 2019}} +{{voir homonymes|Beaudet}} +{{Infobox Biographie2}} +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de plusieurs nouvelles et de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]. + +== Honneurs == +*Prix du Patrimoine (2019) Catégorie Interprétation et Diffusion +*Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016 +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2021 Les lieux enchantés du Parc Taschereau, publié aux Éditions de la Roupille, 96 pages, {{ISBN|978-2-924304-45-7}} +*2021 Normand Maurice, père de la récupération au Québec, biographie publiée aux Éditions de la Roupille, 176 pages, {{ISBN|978-2-924304-39-6}} +*2021 Le bonheur, chroniques d'une vie à la campagne, publié aux Éditions de la Roupille, 270 pages {{ISBN|978-2-924304-40-2}} +*2020 En décide de vendre, nouvelle parue dans Les Écrits mariverains 2020, {{ISBN|978-2-9810768-2-3}} + +*2019 : +** Tableaux et portraits mariverains, Capsules historiques, {{ISBN|978-2-9810768-2-3}}. +** Carnet d'un passager clandestin, nouvelle parue dans Les Écrits Mariverains 2019, {{ISBN|978-2-9810768-0-9}} +** Voix de dépassement, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 +** Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, {{ISBN|978-2-9809683-9-6}} +** La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés. +** La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 +** L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}} +** Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 +** Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}} +** La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage : le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}} +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}} +*2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}} +*2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}} +*2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}} +*2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +*2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +*2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}} +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}} +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}} +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce de théâtre montée par la troupe de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} + +{{Portail|Québec|littérature}} + +{{CLEDETRI:Beaudet, Raymond}} +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] +[[Catégorie:Naissance en 1950]] + 479d6yfpzps9kbqt1kcpn954kf6o4lm + + + 187043976 + 186646730 + 2021-10-10T17:37:16Z + + Nicoleon + 60074 + + /* Références */ + wikitext + text/x-wiki + {{suppression}} +{{Sans source|date=février 2021}} +{{À sourcer|date=mars 2019}} +{{voir homonymes|Beaudet}} +{{Infobox Biographie2}} +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon). Une passion l’anime pendant tout ce temps : l’écriture. Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de plusieurs nouvelles et de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]. + +== Honneurs == +*Prix du Patrimoine (2019) Catégorie Interprétation et Diffusion +*Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016 +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2021 Les lieux enchantés du Parc Taschereau, publié aux Éditions de la Roupille, 96 pages, {{ISBN|978-2-924304-45-7}} +*2021 Normand Maurice, père de la récupération au Québec, biographie publiée aux Éditions de la Roupille, 176 pages, {{ISBN|978-2-924304-39-6}} +*2021 Le bonheur, chroniques d'une vie à la campagne, publié aux Éditions de la Roupille, 270 pages {{ISBN|978-2-924304-40-2}} +*2020 En décide de vendre, nouvelle parue dans Les Écrits mariverains 2020, {{ISBN|978-2-9810768-2-3}} + +*2019 : +** Tableaux et portraits mariverains, Capsules historiques, {{ISBN|978-2-9810768-2-3}}. +** Carnet d'un passager clandestin, nouvelle parue dans Les Écrits Mariverains 2019, {{ISBN|978-2-9810768-0-9}} +** Voix de dépassement, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 +** Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, {{ISBN|978-2-9809683-9-6}} +** La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés. +** La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 +** L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}} +** Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 +** Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}} +** La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage : le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}} +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}} +*2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}} +*2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}} +*2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}} +*2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +*2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +*2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}} +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}} +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}} +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce de théâtre montée par la troupe de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} +== Liens externes == +* {{Liens biographiques}} + +{{Portail|Québec|littérature}} + +{{CLEDETRI:Beaudet, Raymond}} +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] +[[Catégorie:Naissance en 1950]] + sg0nr9pnxs6k058o6egh40g1ofycv96 + + + 187044051 + 187043976 + 2021-10-10T17:40:09Z + + Nicoleon + 60074 + + wikitext + text/x-wiki + {{suppression}} +{{Sans source|date=février 2021}} +{{À sourcer|date=mars 2019}} +{{voir homonymes|Beaudet}} +{{Infobox Biographie2}} +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]<ref>[https://www.sainte-marie.ca/repertoire_culturel/raymond-beaudet sainte-marie.ca]/</ref>. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon).Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de plusieurs nouvelles et de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]. + +== Honneurs == +*Prix du Patrimoine (2019) Catégorie Interprétation et Diffusion +*Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016 +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2021 Les lieux enchantés du Parc Taschereau, publié aux Éditions de la Roupille, 96 pages, {{ISBN|978-2-924304-45-7}} +*2021 Normand Maurice, père de la récupération au Québec, biographie publiée aux Éditions de la Roupille, 176 pages, {{ISBN|978-2-924304-39-6}} +*2021 Le bonheur, chroniques d'une vie à la campagne, publié aux Éditions de la Roupille, 270 pages {{ISBN|978-2-924304-40-2}} +*2020 En décide de vendre, nouvelle parue dans Les Écrits mariverains 2020, {{ISBN|978-2-9810768-2-3}} + +*2019 : +** Tableaux et portraits mariverains, Capsules historiques, {{ISBN|978-2-9810768-2-3}}. +** Carnet d'un passager clandestin, nouvelle parue dans Les Écrits Mariverains 2019, {{ISBN|978-2-9810768-0-9}} +** Voix de dépassement, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 +** Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, {{ISBN|978-2-9809683-9-6}} +** La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés. +** La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 +** L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}} +** Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 +** Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}} +** La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage : le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}} +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}} +*2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}} +*2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}} +*2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}} +*2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +*2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +*2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}} +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}} +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}} +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce de théâtre montée par la troupe de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} +== Liens externes == +* {{Liens biographiques}} + +{{Portail|Québec|littérature}} + +{{CLEDETRI:Beaudet, Raymond}} +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] +[[Catégorie:Naissance en 1950]] + o9pqhgufie65rgqoca0rt6jwgfifkxo + + + 187057041 + 187044051 + 2021-10-11T06:22:19Z + + Kropotkine 113 + 124118 + + Raymond Beaudet conservation (retrait bandeau « Suppression ») ([[:Discussion:Raymond_Beaudet/Suppression|Voir]]) + wikitext + text/x-wiki + +{{Sans source|date=février 2021}} +{{À sourcer|date=mars 2019}} +{{voir homonymes|Beaudet}} +{{Infobox Biographie2}} +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]<ref>[https://www.sainte-marie.ca/repertoire_culturel/raymond-beaudet sainte-marie.ca]/</ref>. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon).Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de plusieurs nouvelles et de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]. + +== Honneurs == +*Prix du Patrimoine (2019) Catégorie Interprétation et Diffusion +*Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016 +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2021 Les lieux enchantés du Parc Taschereau, publié aux Éditions de la Roupille, 96 pages, {{ISBN|978-2-924304-45-7}} +*2021 Normand Maurice, père de la récupération au Québec, biographie publiée aux Éditions de la Roupille, 176 pages, {{ISBN|978-2-924304-39-6}} +*2021 Le bonheur, chroniques d'une vie à la campagne, publié aux Éditions de la Roupille, 270 pages {{ISBN|978-2-924304-40-2}} +*2020 En décide de vendre, nouvelle parue dans Les Écrits mariverains 2020, {{ISBN|978-2-9810768-2-3}} + +*2019 : +** Tableaux et portraits mariverains, Capsules historiques, {{ISBN|978-2-9810768-2-3}}. +** Carnet d'un passager clandestin, nouvelle parue dans Les Écrits Mariverains 2019, {{ISBN|978-2-9810768-0-9}} +** Voix de dépassement, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 +** Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, {{ISBN|978-2-9809683-9-6}} +** La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés. +** La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 +** L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}} +** Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 +** Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}} +** La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage : le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}} +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}} +*2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}} +*2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}} +*2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}} +*2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +*2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +*2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}} +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}} +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}} +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce de théâtre montée par la troupe de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} +== Liens externes == +* {{Liens biographiques}} + +{{Portail|Québec|littérature}} + +{{CLEDETRI:Beaudet, Raymond}} +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] +[[Catégorie:Naissance en 1950]] + e18hrvc1p00rnr357fnnfgn15xw6f9u + + + 190655590 + 187057041 + 2022-02-08T14:54:13Z + + SuperTom4277 + 3477067 + + + J'ai ajouté des sources et des références. + wikitext + text/x-wiki + +{{Sans source|date=février 2021}} +{{À sourcer|date=mars 2019}} +{{voir homonymes|Beaudet}} +{{Infobox Biographie2}} +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]<ref>[https://www.sainte-marie.ca/repertoire_culturel/raymond-beaudet sainte-marie.ca]/</ref>. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon).Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de plusieurs nouvelles et de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]. + +== Honneurs == +*Prix du Patrimoine (2019) Catégorie Interprétation et Diffusion +*Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016 +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2021 Les lieux enchantés du Parc Taschereau, publié aux Éditions de la Roupille, 96 pages, {{ISBN|978-2-924304-45-7}} +*2021 Normand Maurice, père de la récupération au Québec, biographie publiée aux Éditions de la Roupille, 176 pages, {{ISBN|978-2-924304-39-6}} +*2021 Le bonheur, chroniques d'une vie à la campagne, publié aux Éditions de la Roupille, 270 pages {{ISBN|978-2-924304-40-2}}<ref>{{Lien web |langue=fr |prénom=Hélène |nom=Moore |titre=Le bonheur. Chroniques d’une vie à la campagne par Raymond Beaudet, Hélène Moore {{!}} Biographies {{!}} Faits vécus/Bio divers {{!}} Leslibraires.ca |url=https://www.leslibraires.ca/livres/le-bonheur-chroniques-d-une-vie-raymond-beaudet-9782924304402.html |site=www.leslibraires.ca |consulté le=2022-02-08}}</ref>. +*2020 En décide de vendre, nouvelle parue dans Les Écrits mariverains 2020, {{ISBN|978-2-9810768-2-3}} + +*2019 : +** Tableaux et portraits mariverains, Capsules historiques, {{ISBN|978-2-9810768-2-3}}. +** Carnet d'un passager clandestin, nouvelle parue dans Les Écrits Mariverains 2019, {{ISBN|978-2-9810768-0-9}} +** Voix de dépassement, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 +** Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, {{ISBN|978-2-9809683-9-6}} +** La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés. +** La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 +** L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}} +** Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 +** Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}} +** La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage : le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}} +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}} +*2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}}<ref>{{Ouvrage|langue=en|titre=Carapaces par BEAUDET, RAYMOND|lire en ligne=http://www.renaud-bray.com/Livres_Produit.aspx?id=1531849&def=Carapaces%2cBEAUDET%2c+RAYMOND%2c9782923706634&utm_campaign=partage-réseaux-sociaux&utm_medium=réseaux-sociaux&utm_source=facebook-like|consulté le=2022-02-08}}</ref>[https://www.renaud-bray.com/Livres_Produit.aspx?id=1531849&def=Carapaces,BEAUDET,+RAYMOND,9782923706634 .] +*2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}} +*2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}} +*2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +*2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +*2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}} +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}} +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}} +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce de théâtre montée par la troupe de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} +== Liens externes == +* {{Liens biographiques}} + +{{Portail|Québec|littérature}} + +{{CLEDETRI:Beaudet, Raymond}} +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] +[[Catégorie:Naissance en 1950]] + 20eltp8bvn2jde1k1e6zmvry4caxckz + + + 190657550 + 190655590 + 2022-02-08T15:56:21Z + + SuperTom4277 + 3477067 + + Ajouté des sources et des références. + wikitext + text/x-wiki + +{{Sans source|date=février 2021}} +{{À sourcer|date=mars 2019}} +{{voir homonymes|Beaudet}} +{{Infobox Biographie2}} +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]<ref>[https://www.sainte-marie.ca/repertoire_culturel/raymond-beaudet sainte-marie.ca]/</ref>. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon).Il est l’auteur de quatre romans, d’un essai, d’une trentaine de scénarios, de plusieurs nouvelles et de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]. + +== Honneurs == +*Prix du Patrimoine (2019) Catégorie Interprétation et Diffusion +*Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016 +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2021 Les lieux enchantés du Parc Taschereau, publié aux Éditions de la Roupille, 96 pages, {{ISBN|978-2-924304-45-7}} +*2021 Normand Maurice, père de la récupération au Québec, biographie publiée aux Éditions de la Roupille, 176 pages, {{ISBN|978-2-924304-39-6}} +*2021 Le bonheur, chroniques d'une vie à la campagne, publié aux Éditions de la Roupille, 270 pages {{ISBN|978-2-924304-40-2}}<ref>{{Lien web |langue=fr |prénom=Hélène |nom=Moore |titre=Le bonheur. Chroniques d’une vie à la campagne par Raymond Beaudet, Hélène Moore {{!}} Biographies {{!}} Faits vécus/Bio divers {{!}} Leslibraires.ca |url=https://www.leslibraires.ca/livres/le-bonheur-chroniques-d-une-vie-raymond-beaudet-9782924304402.html |site=www.leslibraires.ca |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-ca |prénom=Cool 103,5 |nom=FM |titre="Le bonheur" 6ième ouvrage de l'auteur Raymond Beaudet |url=https://www.coolfm.biz/nouvelle/5205--le-bonheur-6ieme-ouvrage-de-l-auteur-raymond-beaudet |site=Cool 103,5 FM |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-FR |prénom=Antoine |nom=Desrosiers |titre=Un sixième ouvrage pour l'auteur Raymond Beaudet de Sainte-Marie |url=https://mabeauce.com/un-sixieme-ouvrage-pour-lauteur-raymond-beaudet-de-sainte-marie/ |site=Ma Beauce |date=2021-02-25 |consulté le=2022-02-08}}</ref>. +*2020 En décide de vendre, nouvelle parue dans Les Écrits mariverains 2020, {{ISBN|978-2-9810768-2-3}} + +*2019 : +** Tableaux et portraits mariverains, Capsules historiques, {{ISBN|978-2-9810768-2-3}}. +** Carnet d'un passager clandestin, nouvelle parue dans Les Écrits Mariverains 2019, {{ISBN|978-2-9810768-0-9}} +** Voix de dépassement, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 +** Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, {{ISBN|978-2-9809683-9-6}} +** La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés. +** La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 +** L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}} +** Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 +** Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}} +** La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage : le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}} +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}} +*2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}}<ref>{{Ouvrage|langue=en|titre=Carapaces par BEAUDET, RAYMOND|lire en ligne=http://www.renaud-bray.com/Livres_Produit.aspx?id=1531849&def=Carapaces%2cBEAUDET%2c+RAYMOND%2c9782923706634&utm_campaign=partage-réseaux-sociaux&utm_medium=réseaux-sociaux&utm_source=facebook-like|consulté le=2022-02-08}}</ref>[https://www.renaud-bray.com/Livres_Produit.aspx?id=1531849&def=Carapaces,BEAUDET,+RAYMOND,9782923706634 .] +*2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}} +*2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}} +*2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +*2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +*2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}} +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}} +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}} +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche) +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce de théâtre montée par la troupe de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} +== Liens externes == +* {{Liens biographiques}} + +{{Portail|Québec|littérature}} + +{{CLEDETRI:Beaudet, Raymond}} +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] +[[Catégorie:Naissance en 1950]] + l3mkcre5f837urttxp196y24g55s7xa + + + 190659096 + 190657550 + 2022-02-08T16:36:04Z + + SuperTom4277 + 3477067 + + Ajouté des sources et des références. Mis à jour. + wikitext + text/x-wiki + +{{Sans source|date=février 2021}} +{{À sourcer|date=mars 2019}} +{{voir homonymes|Beaudet}} +{{Infobox Biographie2}} +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]<ref>[https://www.sainte-marie.ca/repertoire_culturel/raymond-beaudet sainte-marie.ca]/</ref>. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon).Il est l’auteur de 5 romans, d’un essai, d'une biographie, d'un recueil de contes, d’une trentaine de scénarios, de plusieurs nouvelles et capsules historiques, de même que de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]<ref>{{Lien web |langue=fr |titre=https://twitter.com/raymondbeaudet |url=https://twitter.com/raymondbeaudet |site=Twitter |consulté le=2022-02-08}}</ref>. + +== Honneurs == +*Prix du Patrimoine (2019) Catégorie Interprétation et Diffusion<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les lauréats du Prix du patrimoine de Nouvelle-Beauce sont dévoilés |url=https://www.enbeauce.com/actualites/culturel/21829/les-laureats-du-prix-du-patrimoine-de-nouvelle-beauce-sont-devoiles |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016 +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les lauréats des Prix du patrimoine 2019 MRC Nouvelle-Beauce dévoilés |url=https://www.enbeauce.com/actualites/culturel/364234/les-laureats-des-prix-du-patrimoine-2019-mrc-nouvelle-beauce-devoiles |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2021 Les lieux enchantés du Parc Taschereau, publié aux Éditions de la Roupille, 96 pages, {{ISBN|978-2-924304-45-7}}<ref>{{Lien web |langue=fr-CA |titre=Des guides accrédités pour découvrir la Beauce |url=https://www.leclaireurprogres.ca/des-guides-accredites-pour-decouvrir-la-beauce/ |site=L'Éclaireur Progrès |date=2021-03-11 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-FR |prénom=Antoine |nom=Desrosiers |titre=Journée internationale des droits des femmes: huit femmes qui ont marqué Sainte-Marie à leur façon |url=https://mabeauce.com/journee-internationale-des-droits-des-femmes-huit-femmes-qui-ont-marque-sainte-marie-a-leur-facon/ |site=Ma Beauce |date=2021-03-08 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=en |titre=Conférence - L'écriture sa passion avec Raymond Beaudet à l'Éco-refuge du Domaine Taschereau -10$/p. - Sainte-Marie, 2021-06-29 |url=https://ca.datescloud.com/conference-lecriture-sa-passion-avec-raymond-beaudet-a-leco-sainte-marie-305685960.html |site=dates.cloud |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-FR |titre=Visites guidées et groupes touristiques {{!}} Domaine Taschereau |url=http://www.domainetaschereau.com/?page_id=634 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |titre=Se connecter à Facebook |url=https://www.facebook.com/ |site=Facebook |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les Lieux enchantés du parc Taschereau : des contes qui prennent vie |url=https://www.enbeauce.com/actualites/culturel/437952/les-lieux-enchantes-du-parc-taschereau-des-contes-qui-prennent-vie |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*2021 Normand Maurice, père de la récupération au Québec, biographie publiée aux Éditions de la Roupille, 176 pages, {{ISBN|978-2-924304-39-6}}<ref>{{Lien web |langue=fr-CA |titre=Un livre neuf pour le père de la récupération |url=http://www.beaucemedia.ca/2021/06/25/un-livre-neuf-pour-le-pere-de-la-recuperation/ |site=Beauce Média |date=2021-06-25 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |prénom=Raymond |nom=Beaudet |titre=Normand Maurice : père de la récupération au Québec par Raymond Beaudet {{!}} Biographies {{!}} Gens d'affaire {{!}} Leslibraires.ca |url=https://www.leslibraires.ca/livres/normand-maurice-pere-de-la-recuperation-raymond-beaudet-9782924304396.html |site=www.leslibraires.ca |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-FR |titre=Réseau CFER » Lancement du livre sur Normand Maurice |url=https://reseaucfer.ca/nouvelles/lancement-du-livre-sur-normand-maurice/ |consulté le=2022-02-08}}</ref><ref>{{Ouvrage|langue=en|titre=Normand Maurice, père de la récupération au Québec par BEAUDET, RAYMOND|lire en ligne=http://www.renaud-bray.com/Livres_Produit.aspx?id=3353354&def=Normand+Maurice%2c+p%c3%a8re+de+la+r%c3%a9cup%c3%a9ration+au+Qu%c3%a9bec%2cBEAUDET%2c+RAYMOND%2c9782924304396&utm_campaign=partage-réseaux-sociaux&utm_medium=réseaux-sociaux&utm_source=facebook-like|consulté le=2022-02-08}}</ref>. +*2021 Le bonheur, chroniques d'une vie à la campagne, publié aux Éditions de la Roupille, 270 pages {{ISBN|978-2-924304-40-2}}<ref>{{Lien web |langue=fr |prénom=Hélène |nom=Moore |titre=Le bonheur. Chroniques d’une vie à la campagne par Raymond Beaudet, Hélène Moore {{!}} Biographies {{!}} Faits vécus/Bio divers {{!}} Leslibraires.ca |url=https://www.leslibraires.ca/livres/le-bonheur-chroniques-d-une-vie-raymond-beaudet-9782924304402.html |site=www.leslibraires.ca |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-ca |prénom=Cool 103,5 |nom=FM |titre="Le bonheur" 6ième ouvrage de l'auteur Raymond Beaudet |url=https://www.coolfm.biz/nouvelle/5205--le-bonheur-6ieme-ouvrage-de-l-auteur-raymond-beaudet |site=Cool 103,5 FM |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-FR |prénom=Antoine |nom=Desrosiers |titre=Un sixième ouvrage pour l'auteur Raymond Beaudet de Sainte-Marie |url=https://mabeauce.com/un-sixieme-ouvrage-pour-lauteur-raymond-beaudet-de-sainte-marie/ |site=Ma Beauce |date=2021-02-25 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-ca |prénom=Cool 103,5 |nom=FM |titre="Le bonheur" 6ième ouvrage de l'auteur Raymond Beaudet |url=https://www.coolfm.biz/nouvelle/5205--le-bonheur-6ieme-ouvrage-de-l-auteur-raymond-beaudet |site=Cool 103,5 FM |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=ne |titre=Le bonheur, par Raymond BEAUDET et Hélène MOORE |url=https://ne-np.facebook.com/laroupille/videos/531892437783096/ |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |titre=L'écrivain... - Éditions La Roupille, Service d'édition |url=https://www.facebook.com/laroupille/videos/772815796737521/ |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=hi |titre=BIBLIOTHÈQUE {{!}} « Le bonheur :... - Ville de Sainte-Marie |url=https://hi-in.facebook.com/villesaintemarie/videos/128982392487598/ |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-CA |titre=Trouver le bonheur à la campagne |url=http://www.beaucemedia.ca/2021/02/24/trouver-le-bonheur-a-la-campagne/ |site=Beauce Média |date=2021-02-24 |consulté le=2022-02-08}}</ref>. +*2020 En décide de vendre, nouvelle parue dans Les Écrits mariverains 2020, {{ISBN|978-2-9810768-2-3}} + +*2019: +** Tableaux et portraits mariverains, Capsules historiques, {{ISBN|978-2-9810768-2-3}}<ref>{{Lien web |langue=th |titre=เข้าสู่ระบบ Facebook |url=https://th-th.facebook.com/login/?next=https%3A%2F%2Fth-th.facebook.com%2Fcheqfm%2Fposts%2F3625148174272475%2F |site=Facebook |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=ms |titre=LES 1001 MÉTIERS DE LA CULTURE {{!}} M. Raymond Beaudet |url=https://ms-my.facebook.com/villesaintemarie/videos/327787105117018/ |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |titre=Se connecter à Facebook |url=https://www.facebook.com/login/?next=https%3A%2F%2Fwww.facebook.com%2Fgroups%2F1442110362673421%2Fpermalink%2F2755449721339472%2F%3Fcomment_id%3D2755539654663812 |site=Facebook |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-CA |titre=Des guides accrédités pour découvrir la Beauce |url=http://www.beaucemedia.ca/2021/03/11/des-guides-accredites-pour-decouvrir-la-beauce/ |site=Beauce Média |date=2021-03-11 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |titre=Chronique à Raymond {{!}} Mon site web |url=https://genealogiestemarie.ca/chronique-a-raymond |site=genealogiestemarie.ca |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-FR |titre=Capsules historiques |url=https://www.sainte-marie.ca/loisirs-culture/programmation/275e-anniversaire-capsules-historiques/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +** Carnet d'un passager clandestin, nouvelle parue dans Les Écrits Mariverains 2019, {{ISBN|978-2-9810768-0-9}} +** Voix de dépassement, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 +** Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, {{ISBN|978-2-9809683-9-6}} +** La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés. +** La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 +** L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}} +** Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 +** Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016<ref>{{Lien web |langue=fr-CA |titre=La twittérature est victorieuse à Sainte-Marie |url=https://www.beaucemedia.ca/2016/05/20/la-twitterature-est-victorieuse-a-sainte-marie/ |site=Beauce Média |date=2016-05-20 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=La twittérature s'invite au CFER de Beauce à Sainte-Marie |url=https://www.enbeauce.com/actualites/culturel/305797/la-twitterature-sinvite-au-cfer-de-beauce-a-sainte-marie |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +** Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}} +** La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage: le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}} +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014, 26 juin, TEDx Sainte-Marie, La paternelle<ref>{{Lien web |langue=fr-FR |titre=La paternelle {{!}} Raymond Beaudet {{!}} TEDxSainteMarie |url=https://www.youtube.com/watch?v=wGqQ2FS-P-A |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=TEDx Sainte-Marie dévoile le nom de trois conférenciers |url=https://www.enbeauce.com/actualites/societe/125807/tedx-sainte-marie-devoile-le-nom-de-trois-conferenciers |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}} +*2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}}<ref>{{Ouvrage|langue=en|titre=Carapaces par BEAUDET, RAYMOND|lire en ligne=http://www.renaud-bray.com/Livres_Produit.aspx?id=1531849&def=Carapaces%2cBEAUDET%2c+RAYMOND%2c9782923706634&utm_campaign=partage-réseaux-sociaux&utm_medium=réseaux-sociaux&utm_source=facebook-like|consulté le=2022-02-08}}</ref><ref>{{Lien web |titre=http://biblio.villemontlaurier.qc.ca/in/faces/details.xhtml?id=p%3A%3Ausmarcdef_0000064212 |url=http://biblio.villemontlaurier.qc.ca/in/faces/details.xhtml?id=p%3A%3Ausmarcdef_0000064212 |site=biblio.villemontlaurier.qc.ca |consulté le=2022-02-08}}</ref>[https://www.renaud-bray.com/Livres_Produit.aspx?id=1531849&def=Carapaces,BEAUDET,+RAYMOND,9782923706634 .] +*2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}} +*2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}} +*2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +*2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +*2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}} +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}} +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}} +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche)<ref>{{Lien web |langue=en |titre=PASSEPORT POUR LA LIBERTE. ROMAN by RAYMOND BEAUDET: bon Couverture souple (1988) {{!}} Le-Livre |url=https://www.abebooks.com/9782864770886/PASSEPORT-LIBERTE-ROMAN-RAYMOND-BEAUDET-2864770881/plp |site=www.abebooks.com |consulté le=2022-02-08}}</ref>. +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}<ref>{{Lien web |titre=Raymond Beaudet |url=https://www.goodreads.com/author/show/1956588.Raymond_Beaudet |site=www.goodreads.com |consulté le=2022-02-08}}</ref>. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce de théâtre montée par la troupe de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} +== Liens externes == +* {{Liens biographiques}} + +{{Portail|Québec|littérature}} + +{{CLEDETRI:Beaudet, Raymond}} +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] +[[Catégorie:Naissance en 1950]] + 1hzh5iro8r4w98irmnuetfdiazjfnkp + + + 190659479 + 190659096 + 2022-02-08T16:45:26Z + + SuperTom4277 + 3477067 + + /* Références */ mise à jour + wikitext + text/x-wiki + +{{Sans source|date=février 2021}} +{{À sourcer|date=mars 2019}} +{{voir homonymes|Beaudet}} +{{Infobox Biographie2}} +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]<ref>[https://www.sainte-marie.ca/repertoire_culturel/raymond-beaudet sainte-marie.ca]/</ref>. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon).Il est l’auteur de 5 romans, d’un essai, d'une biographie, d'un recueil de contes, d’une trentaine de scénarios, de plusieurs nouvelles et capsules historiques, de même que de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]<ref>{{Lien web |langue=fr |titre=https://twitter.com/raymondbeaudet |url=https://twitter.com/raymondbeaudet |site=Twitter |consulté le=2022-02-08}}</ref>. + +== Honneurs == +*Prix du Patrimoine (2019) Catégorie Interprétation et Diffusion<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les lauréats du Prix du patrimoine de Nouvelle-Beauce sont dévoilés |url=https://www.enbeauce.com/actualites/culturel/21829/les-laureats-du-prix-du-patrimoine-de-nouvelle-beauce-sont-devoiles |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016 +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les lauréats des Prix du patrimoine 2019 MRC Nouvelle-Beauce dévoilés |url=https://www.enbeauce.com/actualites/culturel/364234/les-laureats-des-prix-du-patrimoine-2019-mrc-nouvelle-beauce-devoiles |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2021 Les lieux enchantés du Parc Taschereau, publié aux Éditions de la Roupille, 96 pages, {{ISBN|978-2-924304-45-7}}<ref>{{Lien web |langue=fr-CA |titre=Des guides accrédités pour découvrir la Beauce |url=https://www.leclaireurprogres.ca/des-guides-accredites-pour-decouvrir-la-beauce/ |site=L'Éclaireur Progrès |date=2021-03-11 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-FR |prénom=Antoine |nom=Desrosiers |titre=Journée internationale des droits des femmes: huit femmes qui ont marqué Sainte-Marie à leur façon |url=https://mabeauce.com/journee-internationale-des-droits-des-femmes-huit-femmes-qui-ont-marque-sainte-marie-a-leur-facon/ |site=Ma Beauce |date=2021-03-08 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=en |titre=Conférence - L'écriture sa passion avec Raymond Beaudet à l'Éco-refuge du Domaine Taschereau -10$/p. - Sainte-Marie, 2021-06-29 |url=https://ca.datescloud.com/conference-lecriture-sa-passion-avec-raymond-beaudet-a-leco-sainte-marie-305685960.html |site=dates.cloud |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-FR |titre=Visites guidées et groupes touristiques {{!}} Domaine Taschereau |url=http://www.domainetaschereau.com/?page_id=634 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |titre=Se connecter à Facebook |url=https://www.facebook.com/ |site=Facebook |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les Lieux enchantés du parc Taschereau : des contes qui prennent vie |url=https://www.enbeauce.com/actualites/culturel/437952/les-lieux-enchantes-du-parc-taschereau-des-contes-qui-prennent-vie |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*2021 Normand Maurice, père de la récupération au Québec, biographie publiée aux Éditions de la Roupille, 176 pages, {{ISBN|978-2-924304-39-6}}<ref>{{Lien web |langue=fr-CA |titre=Un livre neuf pour le père de la récupération |url=http://www.beaucemedia.ca/2021/06/25/un-livre-neuf-pour-le-pere-de-la-recuperation/ |site=Beauce Média |date=2021-06-25 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |prénom=Raymond |nom=Beaudet |titre=Normand Maurice : père de la récupération au Québec par Raymond Beaudet {{!}} Biographies {{!}} Gens d'affaire {{!}} Leslibraires.ca |url=https://www.leslibraires.ca/livres/normand-maurice-pere-de-la-recuperation-raymond-beaudet-9782924304396.html |site=www.leslibraires.ca |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-FR |titre=Réseau CFER » Lancement du livre sur Normand Maurice |url=https://reseaucfer.ca/nouvelles/lancement-du-livre-sur-normand-maurice/ |consulté le=2022-02-08}}</ref><ref>{{Ouvrage|langue=en|titre=Normand Maurice, père de la récupération au Québec par BEAUDET, RAYMOND|lire en ligne=http://www.renaud-bray.com/Livres_Produit.aspx?id=3353354&def=Normand+Maurice%2c+p%c3%a8re+de+la+r%c3%a9cup%c3%a9ration+au+Qu%c3%a9bec%2cBEAUDET%2c+RAYMOND%2c9782924304396&utm_campaign=partage-réseaux-sociaux&utm_medium=réseaux-sociaux&utm_source=facebook-like|consulté le=2022-02-08}}</ref>. +*2021 Le bonheur, chroniques d'une vie à la campagne, publié aux Éditions de la Roupille, 270 pages {{ISBN|978-2-924304-40-2}}<ref>{{Lien web |langue=fr |prénom=Hélène |nom=Moore |titre=Le bonheur. Chroniques d’une vie à la campagne par Raymond Beaudet, Hélène Moore {{!}} Biographies {{!}} Faits vécus/Bio divers {{!}} Leslibraires.ca |url=https://www.leslibraires.ca/livres/le-bonheur-chroniques-d-une-vie-raymond-beaudet-9782924304402.html |site=www.leslibraires.ca |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-ca |prénom=Cool 103,5 |nom=FM |titre="Le bonheur" 6ième ouvrage de l'auteur Raymond Beaudet |url=https://www.coolfm.biz/nouvelle/5205--le-bonheur-6ieme-ouvrage-de-l-auteur-raymond-beaudet |site=Cool 103,5 FM |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-FR |prénom=Antoine |nom=Desrosiers |titre=Un sixième ouvrage pour l'auteur Raymond Beaudet de Sainte-Marie |url=https://mabeauce.com/un-sixieme-ouvrage-pour-lauteur-raymond-beaudet-de-sainte-marie/ |site=Ma Beauce |date=2021-02-25 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-ca |prénom=Cool 103,5 |nom=FM |titre="Le bonheur" 6ième ouvrage de l'auteur Raymond Beaudet |url=https://www.coolfm.biz/nouvelle/5205--le-bonheur-6ieme-ouvrage-de-l-auteur-raymond-beaudet |site=Cool 103,5 FM |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=ne |titre=Le bonheur, par Raymond BEAUDET et Hélène MOORE |url=https://ne-np.facebook.com/laroupille/videos/531892437783096/ |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |titre=L'écrivain... - Éditions La Roupille, Service d'édition |url=https://www.facebook.com/laroupille/videos/772815796737521/ |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=hi |titre=BIBLIOTHÈQUE {{!}} « Le bonheur :... - Ville de Sainte-Marie |url=https://hi-in.facebook.com/villesaintemarie/videos/128982392487598/ |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-CA |titre=Trouver le bonheur à la campagne |url=http://www.beaucemedia.ca/2021/02/24/trouver-le-bonheur-a-la-campagne/ |site=Beauce Média |date=2021-02-24 |consulté le=2022-02-08}}</ref>. +*2020 En décide de vendre, nouvelle parue dans Les Écrits mariverains 2020, {{ISBN|978-2-9810768-2-3}} + +*2019: +** Tableaux et portraits mariverains, Capsules historiques, {{ISBN|978-2-9810768-2-3}}<ref>{{Lien web |langue=th |titre=เข้าสู่ระบบ Facebook |url=https://th-th.facebook.com/login/?next=https%3A%2F%2Fth-th.facebook.com%2Fcheqfm%2Fposts%2F3625148174272475%2F |site=Facebook |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=ms |titre=LES 1001 MÉTIERS DE LA CULTURE {{!}} M. Raymond Beaudet |url=https://ms-my.facebook.com/villesaintemarie/videos/327787105117018/ |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-CA |titre=Des guides accrédités pour découvrir la Beauce |url=http://www.beaucemedia.ca/2021/03/11/des-guides-accredites-pour-decouvrir-la-beauce/ |site=Beauce Média |date=2021-03-11 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |titre=Chronique à Raymond {{!}} Mon site web |url=https://genealogiestemarie.ca/chronique-a-raymond |site=genealogiestemarie.ca |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-FR |titre=Capsules historiques |url=https://www.sainte-marie.ca/loisirs-culture/programmation/275e-anniversaire-capsules-historiques/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +** Carnet d'un passager clandestin, nouvelle parue dans Les Écrits Mariverains 2019, {{ISBN|978-2-9810768-0-9}} +** Voix de dépassement, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 +** Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, {{ISBN|978-2-9809683-9-6}} +** La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés. +** La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 +** L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}} +** Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 +** Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016<ref>{{Lien web |langue=fr-CA |titre=La twittérature est victorieuse à Sainte-Marie |url=https://www.beaucemedia.ca/2016/05/20/la-twitterature-est-victorieuse-a-sainte-marie/ |site=Beauce Média |date=2016-05-20 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=La twittérature s'invite au CFER de Beauce à Sainte-Marie |url=https://www.enbeauce.com/actualites/culturel/305797/la-twitterature-sinvite-au-cfer-de-beauce-a-sainte-marie |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +** Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}} +** La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage: le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}} +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014, 26 juin, TEDx Sainte-Marie, La paternelle<ref>{{Lien web |langue=fr-FR |titre=La paternelle {{!}} Raymond Beaudet {{!}} TEDxSainteMarie |url=https://www.youtube.com/watch?v=wGqQ2FS-P-A |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=TEDx Sainte-Marie dévoile le nom de trois conférenciers |url=https://www.enbeauce.com/actualites/societe/125807/tedx-sainte-marie-devoile-le-nom-de-trois-conferenciers |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}} +*2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}}<ref>{{Ouvrage|langue=en|titre=Carapaces par BEAUDET, RAYMOND|lire en ligne=http://www.renaud-bray.com/Livres_Produit.aspx?id=1531849&def=Carapaces%2cBEAUDET%2c+RAYMOND%2c9782923706634&utm_campaign=partage-réseaux-sociaux&utm_medium=réseaux-sociaux&utm_source=facebook-like|consulté le=2022-02-08}}</ref><ref>{{Lien web |titre=http://biblio.villemontlaurier.qc.ca/in/faces/details.xhtml?id=p%3A%3Ausmarcdef_0000064212 |url=http://biblio.villemontlaurier.qc.ca/in/faces/details.xhtml?id=p%3A%3Ausmarcdef_0000064212 |site=biblio.villemontlaurier.qc.ca |consulté le=2022-02-08}}</ref>[https://www.renaud-bray.com/Livres_Produit.aspx?id=1531849&def=Carapaces,BEAUDET,+RAYMOND,9782923706634 .] +*2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}} +*2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}} +*2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +*2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}} +*2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}} +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}} +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}} +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche)<ref>{{Lien web |langue=en |titre=PASSEPORT POUR LA LIBERTE. ROMAN by RAYMOND BEAUDET: bon Couverture souple (1988) {{!}} Le-Livre |url=https://www.abebooks.com/9782864770886/PASSEPORT-LIBERTE-ROMAN-RAYMOND-BEAUDET-2864770881/plp |site=www.abebooks.com |consulté le=2022-02-08}}</ref>. +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}<ref>{{Lien web |titre=Raymond Beaudet |url=https://www.goodreads.com/author/show/1956588.Raymond_Beaudet |site=www.goodreads.com |consulté le=2022-02-08}}</ref>. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce de théâtre montée par la troupe de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} +== Liens externes == +* {{Liens biographiques}} + +{{Portail|Québec|littérature}} + +{{CLEDETRI:Beaudet, Raymond}} +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] +[[Catégorie:Naissance en 1950]] + g03fm0zx3lz42pbuexlphxurcrpyitp + + + 190661732 + 190659479 + 2022-02-08T17:52:58Z + + SuperTom4277 + 3477067 + + + Ajouté des sources et des références. + wikitext + text/x-wiki + +{{Sans source|date=février 2021}} +{{À sourcer|date=mars 2019}} +{{voir homonymes|Beaudet}} +{{Infobox Biographie2}} +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]<ref>[https://www.sainte-marie.ca/repertoire_culturel/raymond-beaudet sainte-marie.ca]/</ref>. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon).Il est l’auteur de 5 romans, d’un essai, d'une biographie, d'un recueil de contes, d’une trentaine de scénarios, de plusieurs nouvelles et capsules historiques, de même que de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]<ref>{{Lien web |langue=fr |titre=https://twitter.com/raymondbeaudet |url=https://twitter.com/raymondbeaudet |site=Twitter |consulté le=2022-02-08}}</ref>. + +== Honneurs == +*Prix du Patrimoine (2019) Catégorie Interprétation et Diffusion<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les lauréats du Prix du patrimoine de Nouvelle-Beauce sont dévoilés |url=https://www.enbeauce.com/actualites/culturel/21829/les-laureats-du-prix-du-patrimoine-de-nouvelle-beauce-sont-devoiles |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016 +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les lauréats des Prix du patrimoine 2019 MRC Nouvelle-Beauce dévoilés |url=https://www.enbeauce.com/actualites/culturel/364234/les-laureats-des-prix-du-patrimoine-2019-mrc-nouvelle-beauce-devoiles |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2021 Les lieux enchantés du Parc Taschereau, publié aux Éditions de la Roupille, 96 pages, {{ISBN|978-2-924304-45-7}}<ref>{{Lien web |langue=fr-CA |titre=Des guides accrédités pour découvrir la Beauce |url=https://www.leclaireurprogres.ca/des-guides-accredites-pour-decouvrir-la-beauce/ |site=L'Éclaireur Progrès |date=2021-03-11 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-FR |prénom=Antoine |nom=Desrosiers |titre=Journée internationale des droits des femmes: huit femmes qui ont marqué Sainte-Marie à leur façon |url=https://mabeauce.com/journee-internationale-des-droits-des-femmes-huit-femmes-qui-ont-marque-sainte-marie-a-leur-facon/ |site=Ma Beauce |date=2021-03-08 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=en |titre=Conférence - L'écriture sa passion avec Raymond Beaudet à l'Éco-refuge du Domaine Taschereau -10$/p. - Sainte-Marie, 2021-06-29 |url=https://ca.datescloud.com/conference-lecriture-sa-passion-avec-raymond-beaudet-a-leco-sainte-marie-305685960.html |site=dates.cloud |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-FR |titre=Visites guidées et groupes touristiques {{!}} Domaine Taschereau |url=http://www.domainetaschereau.com/?page_id=634 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |titre=Se connecter à Facebook |url=https://www.facebook.com/ |site=Facebook |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les Lieux enchantés du parc Taschereau : des contes qui prennent vie |url=https://www.enbeauce.com/actualites/culturel/437952/les-lieux-enchantes-du-parc-taschereau-des-contes-qui-prennent-vie |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*2021 Normand Maurice, père de la récupération au Québec, biographie publiée aux Éditions de la Roupille, 176 pages, {{ISBN|978-2-924304-39-6}}<ref>{{Lien web |langue=fr-CA |titre=Un livre neuf pour le père de la récupération |url=http://www.beaucemedia.ca/2021/06/25/un-livre-neuf-pour-le-pere-de-la-recuperation/ |site=Beauce Média |date=2021-06-25 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |prénom=Raymond |nom=Beaudet |titre=Normand Maurice : père de la récupération au Québec par Raymond Beaudet {{!}} Biographies {{!}} Gens d'affaire {{!}} Leslibraires.ca |url=https://www.leslibraires.ca/livres/normand-maurice-pere-de-la-recuperation-raymond-beaudet-9782924304396.html |site=www.leslibraires.ca |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-FR |titre=Réseau CFER » Lancement du livre sur Normand Maurice |url=https://reseaucfer.ca/nouvelles/lancement-du-livre-sur-normand-maurice/ |consulté le=2022-02-08}}</ref><ref>{{Ouvrage|langue=en|titre=Normand Maurice, père de la récupération au Québec par BEAUDET, RAYMOND|lire en ligne=http://www.renaud-bray.com/Livres_Produit.aspx?id=3353354&def=Normand+Maurice%2c+p%c3%a8re+de+la+r%c3%a9cup%c3%a9ration+au+Qu%c3%a9bec%2cBEAUDET%2c+RAYMOND%2c9782924304396&utm_campaign=partage-réseaux-sociaux&utm_medium=réseaux-sociaux&utm_source=facebook-like|consulté le=2022-02-08}}</ref>. +*2021 Le bonheur, chroniques d'une vie à la campagne, publié aux Éditions de la Roupille, 270 pages {{ISBN|978-2-924304-40-2}}<ref>{{Lien web |langue=fr |prénom=Hélène |nom=Moore |titre=Le bonheur. Chroniques d’une vie à la campagne par Raymond Beaudet, Hélène Moore {{!}} Biographies {{!}} Faits vécus/Bio divers {{!}} Leslibraires.ca |url=https://www.leslibraires.ca/livres/le-bonheur-chroniques-d-une-vie-raymond-beaudet-9782924304402.html |site=www.leslibraires.ca |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-ca |prénom=Cool 103,5 |nom=FM |titre="Le bonheur" 6ième ouvrage de l'auteur Raymond Beaudet |url=https://www.coolfm.biz/nouvelle/5205--le-bonheur-6ieme-ouvrage-de-l-auteur-raymond-beaudet |site=Cool 103,5 FM |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-FR |prénom=Antoine |nom=Desrosiers |titre=Un sixième ouvrage pour l'auteur Raymond Beaudet de Sainte-Marie |url=https://mabeauce.com/un-sixieme-ouvrage-pour-lauteur-raymond-beaudet-de-sainte-marie/ |site=Ma Beauce |date=2021-02-25 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-ca |prénom=Cool 103,5 |nom=FM |titre="Le bonheur" 6ième ouvrage de l'auteur Raymond Beaudet |url=https://www.coolfm.biz/nouvelle/5205--le-bonheur-6ieme-ouvrage-de-l-auteur-raymond-beaudet |site=Cool 103,5 FM |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=ne |titre=Le bonheur, par Raymond BEAUDET et Hélène MOORE |url=https://ne-np.facebook.com/laroupille/videos/531892437783096/ |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |titre=L'écrivain... - Éditions La Roupille, Service d'édition |url=https://www.facebook.com/laroupille/videos/772815796737521/ |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=hi |titre=BIBLIOTHÈQUE {{!}} « Le bonheur :... - Ville de Sainte-Marie |url=https://hi-in.facebook.com/villesaintemarie/videos/128982392487598/ |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-CA |titre=Trouver le bonheur à la campagne |url=http://www.beaucemedia.ca/2021/02/24/trouver-le-bonheur-a-la-campagne/ |site=Beauce Média |date=2021-02-24 |consulté le=2022-02-08}}</ref>. +*2020 En décide de vendre, nouvelle parue dans Les Écrits mariverains 2020, {{ISBN|978-2-9810768-2-3}} + +*2019: +** Tableaux et portraits mariverains, Capsules historiques, {{ISBN|978-2-9810768-2-3}}<ref>{{Lien web |langue=th |titre=เข้าสู่ระบบ Facebook |url=https://th-th.facebook.com/login/?next=https%3A%2F%2Fth-th.facebook.com%2Fcheqfm%2Fposts%2F3625148174272475%2F |site=Facebook |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=ms |titre=LES 1001 MÉTIERS DE LA CULTURE {{!}} M. Raymond Beaudet |url=https://ms-my.facebook.com/villesaintemarie/videos/327787105117018/ |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-CA |titre=Des guides accrédités pour découvrir la Beauce |url=http://www.beaucemedia.ca/2021/03/11/des-guides-accredites-pour-decouvrir-la-beauce/ |site=Beauce Média |date=2021-03-11 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |titre=Chronique à Raymond {{!}} Mon site web |url=https://genealogiestemarie.ca/chronique-a-raymond |site=genealogiestemarie.ca |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-FR |titre=Capsules historiques |url=https://www.sainte-marie.ca/loisirs-culture/programmation/275e-anniversaire-capsules-historiques/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +** Carnet d'un passager clandestin, nouvelle parue dans Les Écrits Mariverains 2019, {{ISBN|978-2-9810768-0-9}}<ref name=":0">{{Lien web |langue=fr-FR |titre=Écrits mariverains |url=https://www.sainte-marie.ca/loisirs-culture/ecrits-mariverains/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +** Voix de dépassement, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2018 +** Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, {{ISBN|978-2-9809683-9-6}}<ref name=":0" />. +** La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés. +** La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 +** L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}} +** Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 +** Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016<ref>{{Lien web |langue=fr-CA |titre=La twittérature est victorieuse à Sainte-Marie |url=https://www.beaucemedia.ca/2016/05/20/la-twitterature-est-victorieuse-a-sainte-marie/ |site=Beauce Média |date=2016-05-20 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=La twittérature s'invite au CFER de Beauce à Sainte-Marie |url=https://www.enbeauce.com/actualites/culturel/305797/la-twitterature-sinvite-au-cfer-de-beauce-a-sainte-marie |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +** Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}}<ref name=":0" />. +** La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage: le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}}<ref name=":0" />. +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014, 26 juin, TEDx Sainte-Marie, La paternelle<ref>{{Lien web |langue=fr-FR |titre=La paternelle {{!}} Raymond Beaudet {{!}} TEDxSainteMarie |url=https://www.youtube.com/watch?v=wGqQ2FS-P-A |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=TEDx Sainte-Marie dévoile le nom de trois conférenciers |url=https://www.enbeauce.com/actualites/societe/125807/tedx-sainte-marie-devoile-le-nom-de-trois-conferenciers |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}}<ref name=":0" />. +*2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}}<ref>{{Ouvrage|langue=en|titre=Carapaces par BEAUDET, RAYMOND|lire en ligne=http://www.renaud-bray.com/Livres_Produit.aspx?id=1531849&def=Carapaces%2cBEAUDET%2c+RAYMOND%2c9782923706634&utm_campaign=partage-réseaux-sociaux&utm_medium=réseaux-sociaux&utm_source=facebook-like|consulté le=2022-02-08}}</ref><ref>{{Lien web |titre=http://biblio.villemontlaurier.qc.ca/in/faces/details.xhtml?id=p%3A%3Ausmarcdef_0000064212 |url=http://biblio.villemontlaurier.qc.ca/in/faces/details.xhtml?id=p%3A%3Ausmarcdef_0000064212 |site=biblio.villemontlaurier.qc.ca |consulté le=2022-02-08}}</ref>[https://www.renaud-bray.com/Livres_Produit.aspx?id=1531849&def=Carapaces,BEAUDET,+RAYMOND,9782923706634 .] +*2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}}<ref name=":0" />. +*2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}}<ref name=":0" />. +*2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +*2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}}<ref name=":0" />. +*2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}}<ref name=":0" />. +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}} +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}} +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche)<ref>{{Lien web |langue=en |titre=PASSEPORT POUR LA LIBERTE. ROMAN by RAYMOND BEAUDET: bon Couverture souple (1988) {{!}} Le-Livre |url=https://www.abebooks.com/9782864770886/PASSEPORT-LIBERTE-ROMAN-RAYMOND-BEAUDET-2864770881/plp |site=www.abebooks.com |consulté le=2022-02-08}}</ref>. +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}<ref>{{Lien web |titre=Raymond Beaudet |url=https://www.goodreads.com/author/show/1956588.Raymond_Beaudet |site=www.goodreads.com |consulté le=2022-02-08}}</ref>. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce de théâtre montée par la troupe de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} +== Liens externes == +* {{Liens biographiques}} + +{{Portail|Québec|littérature}} + +{{CLEDETRI:Beaudet, Raymond}} +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] +[[Catégorie:Naissance en 1950]] + ad1dn86m7p9ebjiyigwxuhukshundo3 + + + 190661934 + 190661732 + 2022-02-08T18:01:17Z + + SuperTom4277 + 3477067 + + Ajouté des sources et des références. + wikitext + text/x-wiki + +{{Sans source|date=février 2021}} +{{À sourcer|date=mars 2019}} +{{voir homonymes|Beaudet}} +{{Infobox Biographie2}} +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]<ref>[https://www.sainte-marie.ca/repertoire_culturel/raymond-beaudet sainte-marie.ca]/</ref>. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon).Il est l’auteur de 5 romans, d’un essai, d'une biographie, d'un recueil de contes, d’une trentaine de scénarios, de plusieurs nouvelles et capsules historiques, de même que de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]<ref>{{Lien web |langue=fr |titre=https://twitter.com/raymondbeaudet |url=https://twitter.com/raymondbeaudet |site=Twitter |consulté le=2022-02-08}}</ref>. + +== Honneurs == +*Prix du Patrimoine (2019) Catégorie Interprétation et Diffusion<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les lauréats du Prix du patrimoine de Nouvelle-Beauce sont dévoilés |url=https://www.enbeauce.com/actualites/culturel/21829/les-laureats-du-prix-du-patrimoine-de-nouvelle-beauce-sont-devoiles |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016 +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les lauréats des Prix du patrimoine 2019 MRC Nouvelle-Beauce dévoilés |url=https://www.enbeauce.com/actualites/culturel/364234/les-laureats-des-prix-du-patrimoine-2019-mrc-nouvelle-beauce-devoiles |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2021 Les lieux enchantés du Parc Taschereau, publié aux Éditions de la Roupille, 96 pages, {{ISBN|978-2-924304-45-7}}<ref>{{Lien web |langue=fr-CA |titre=Des guides accrédités pour découvrir la Beauce |url=https://www.leclaireurprogres.ca/des-guides-accredites-pour-decouvrir-la-beauce/ |site=L'Éclaireur Progrès |date=2021-03-11 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-FR |prénom=Antoine |nom=Desrosiers |titre=Journée internationale des droits des femmes: huit femmes qui ont marqué Sainte-Marie à leur façon |url=https://mabeauce.com/journee-internationale-des-droits-des-femmes-huit-femmes-qui-ont-marque-sainte-marie-a-leur-facon/ |site=Ma Beauce |date=2021-03-08 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=en |titre=Conférence - L'écriture sa passion avec Raymond Beaudet à l'Éco-refuge du Domaine Taschereau -10$/p. - Sainte-Marie, 2021-06-29 |url=https://ca.datescloud.com/conference-lecriture-sa-passion-avec-raymond-beaudet-a-leco-sainte-marie-305685960.html |site=dates.cloud |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-FR |titre=Visites guidées et groupes touristiques {{!}} Domaine Taschereau |url=http://www.domainetaschereau.com/?page_id=634 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |titre=Se connecter à Facebook |url=https://www.facebook.com/ |site=Facebook |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les Lieux enchantés du parc Taschereau : des contes qui prennent vie |url=https://www.enbeauce.com/actualites/culturel/437952/les-lieux-enchantes-du-parc-taschereau-des-contes-qui-prennent-vie |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*2021 Normand Maurice, père de la récupération au Québec, biographie publiée aux Éditions de la Roupille, 176 pages, {{ISBN|978-2-924304-39-6}}<ref>{{Lien web |langue=fr-CA |titre=Un livre neuf pour le père de la récupération |url=http://www.beaucemedia.ca/2021/06/25/un-livre-neuf-pour-le-pere-de-la-recuperation/ |site=Beauce Média |date=2021-06-25 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |prénom=Raymond |nom=Beaudet |titre=Normand Maurice : père de la récupération au Québec par Raymond Beaudet {{!}} Biographies {{!}} Gens d'affaire {{!}} Leslibraires.ca |url=https://www.leslibraires.ca/livres/normand-maurice-pere-de-la-recuperation-raymond-beaudet-9782924304396.html |site=www.leslibraires.ca |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-FR |titre=Réseau CFER » Lancement du livre sur Normand Maurice |url=https://reseaucfer.ca/nouvelles/lancement-du-livre-sur-normand-maurice/ |consulté le=2022-02-08}}</ref><ref>{{Ouvrage|langue=en|titre=Normand Maurice, père de la récupération au Québec par BEAUDET, RAYMOND|lire en ligne=http://www.renaud-bray.com/Livres_Produit.aspx?id=3353354&def=Normand+Maurice%2c+p%c3%a8re+de+la+r%c3%a9cup%c3%a9ration+au+Qu%c3%a9bec%2cBEAUDET%2c+RAYMOND%2c9782924304396&utm_campaign=partage-réseaux-sociaux&utm_medium=réseaux-sociaux&utm_source=facebook-like|consulté le=2022-02-08}}</ref>. +*2021 Le bonheur, chroniques d'une vie à la campagne, publié aux Éditions de la Roupille, 270 pages {{ISBN|978-2-924304-40-2}}<ref>{{Lien web |langue=fr |prénom=Hélène |nom=Moore |titre=Le bonheur. Chroniques d’une vie à la campagne par Raymond Beaudet, Hélène Moore {{!}} Biographies {{!}} Faits vécus/Bio divers {{!}} Leslibraires.ca |url=https://www.leslibraires.ca/livres/le-bonheur-chroniques-d-une-vie-raymond-beaudet-9782924304402.html |site=www.leslibraires.ca |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-ca |prénom=Cool 103,5 |nom=FM |titre="Le bonheur" 6ième ouvrage de l'auteur Raymond Beaudet |url=https://www.coolfm.biz/nouvelle/5205--le-bonheur-6ieme-ouvrage-de-l-auteur-raymond-beaudet |site=Cool 103,5 FM |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-FR |prénom=Antoine |nom=Desrosiers |titre=Un sixième ouvrage pour l'auteur Raymond Beaudet de Sainte-Marie |url=https://mabeauce.com/un-sixieme-ouvrage-pour-lauteur-raymond-beaudet-de-sainte-marie/ |site=Ma Beauce |date=2021-02-25 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-ca |prénom=Cool 103,5 |nom=FM |titre="Le bonheur" 6ième ouvrage de l'auteur Raymond Beaudet |url=https://www.coolfm.biz/nouvelle/5205--le-bonheur-6ieme-ouvrage-de-l-auteur-raymond-beaudet |site=Cool 103,5 FM |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=ne |titre=Le bonheur, par Raymond BEAUDET et Hélène MOORE |url=https://ne-np.facebook.com/laroupille/videos/531892437783096/ |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |titre=L'écrivain... - Éditions La Roupille, Service d'édition |url=https://www.facebook.com/laroupille/videos/772815796737521/ |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=hi |titre=BIBLIOTHÈQUE {{!}} « Le bonheur :... - Ville de Sainte-Marie |url=https://hi-in.facebook.com/villesaintemarie/videos/128982392487598/ |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-CA |titre=Trouver le bonheur à la campagne |url=http://www.beaucemedia.ca/2021/02/24/trouver-le-bonheur-a-la-campagne/ |site=Beauce Média |date=2021-02-24 |consulté le=2022-02-08}}</ref>. +*2020 En décide de vendre, nouvelle parue dans Les Écrits mariverains 2020, {{ISBN|978-2-9810768-2-3}}<ref name=":0" />. + +*2019: +** Tableaux et portraits mariverains, Capsules historiques, {{ISBN|978-2-9810768-2-3}}<ref>{{Lien web |langue=th |titre=เข้าสู่ระบบ Facebook |url=https://th-th.facebook.com/login/?next=https%3A%2F%2Fth-th.facebook.com%2Fcheqfm%2Fposts%2F3625148174272475%2F |site=Facebook |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=ms |titre=LES 1001 MÉTIERS DE LA CULTURE {{!}} M. Raymond Beaudet |url=https://ms-my.facebook.com/villesaintemarie/videos/327787105117018/ |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-CA |titre=Des guides accrédités pour découvrir la Beauce |url=http://www.beaucemedia.ca/2021/03/11/des-guides-accredites-pour-decouvrir-la-beauce/ |site=Beauce Média |date=2021-03-11 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |titre=Chronique à Raymond {{!}} Mon site web |url=https://genealogiestemarie.ca/chronique-a-raymond |site=genealogiestemarie.ca |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-FR |titre=Capsules historiques |url=https://www.sainte-marie.ca/loisirs-culture/programmation/275e-anniversaire-capsules-historiques/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +** Carnet d'un passager clandestin, nouvelle parue dans Les Écrits Mariverains 2019, {{ISBN|978-2-9810768-0-9}}<ref name=":0">{{Lien web |langue=fr-FR |titre=Écrits mariverains |url=https://www.sainte-marie.ca/loisirs-culture/ecrits-mariverains/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +** Voix de dépassement, scénario du spectacle de la Corporation des Instrumentistes Associés<ref name=":1">{{Lien web |langue=fr-CA |titre=La CIA célébrera son 10e anniversaire le 15 avril |url=http://www.beaucemedia.ca/2021/11/25/la-cia-celebrera-son-10e-anniversaire-le-15-avril/ |site=Beauce Média |date=2021-11-25 |consulté le=2022-02-08}}</ref>. +*2018 +** Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, {{ISBN|978-2-9809683-9-6}}<ref name=":0" />. +** La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés<ref name=":1" />. +** La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 +** L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}} +** Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 +** Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016<ref>{{Lien web |langue=fr-CA |titre=La twittérature est victorieuse à Sainte-Marie |url=https://www.beaucemedia.ca/2016/05/20/la-twitterature-est-victorieuse-a-sainte-marie/ |site=Beauce Média |date=2016-05-20 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=La twittérature s'invite au CFER de Beauce à Sainte-Marie |url=https://www.enbeauce.com/actualites/culturel/305797/la-twitterature-sinvite-au-cfer-de-beauce-a-sainte-marie |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +** Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}}<ref name=":0" />. +** La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage: le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}}<ref name=":0" />. +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014, 26 juin, TEDx Sainte-Marie, La paternelle<ref>{{Lien web |langue=fr-FR |titre=La paternelle {{!}} Raymond Beaudet {{!}} TEDxSainteMarie |url=https://www.youtube.com/watch?v=wGqQ2FS-P-A |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=TEDx Sainte-Marie dévoile le nom de trois conférenciers |url=https://www.enbeauce.com/actualites/societe/125807/tedx-sainte-marie-devoile-le-nom-de-trois-conferenciers |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}}<ref name=":0" />. +*2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}}<ref>{{Ouvrage|langue=en|titre=Carapaces par BEAUDET, RAYMOND|lire en ligne=http://www.renaud-bray.com/Livres_Produit.aspx?id=1531849&def=Carapaces%2cBEAUDET%2c+RAYMOND%2c9782923706634&utm_campaign=partage-réseaux-sociaux&utm_medium=réseaux-sociaux&utm_source=facebook-like|consulté le=2022-02-08}}</ref><ref>{{Lien web |titre=http://biblio.villemontlaurier.qc.ca/in/faces/details.xhtml?id=p%3A%3Ausmarcdef_0000064212 |url=http://biblio.villemontlaurier.qc.ca/in/faces/details.xhtml?id=p%3A%3Ausmarcdef_0000064212 |site=biblio.villemontlaurier.qc.ca |consulté le=2022-02-08}}</ref>[https://www.renaud-bray.com/Livres_Produit.aspx?id=1531849&def=Carapaces,BEAUDET,+RAYMOND,9782923706634 .] +*2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}}<ref name=":0" />. +*2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}}<ref name=":0" />. +*2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +*2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}}<ref name=":0" />. +*2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}}<ref name=":0" />. +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}} +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}} +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche)<ref>{{Lien web |langue=en |titre=PASSEPORT POUR LA LIBERTE. ROMAN by RAYMOND BEAUDET: bon Couverture souple (1988) {{!}} Le-Livre |url=https://www.abebooks.com/9782864770886/PASSEPORT-LIBERTE-ROMAN-RAYMOND-BEAUDET-2864770881/plp |site=www.abebooks.com |consulté le=2022-02-08}}</ref>. +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}<ref>{{Lien web |titre=Raymond Beaudet |url=https://www.goodreads.com/author/show/1956588.Raymond_Beaudet |site=www.goodreads.com |consulté le=2022-02-08}}</ref>. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce de théâtre montée par la troupe de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} +== Liens externes == +* {{Liens biographiques}} + +{{Portail|Québec|littérature}} + +{{CLEDETRI:Beaudet, Raymond}} +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] +[[Catégorie:Naissance en 1950]] + 6e32n0h6dyagpyegh0srut64vruwudd + + + 190662056 + 190661934 + 2022-02-08T18:05:56Z + + SuperTom4277 + 3477067 + + Ajouté des sources et des références. + wikitext + text/x-wiki + +{{Sans source|date=février 2021}} +{{À sourcer|date=mars 2019}} +{{voir homonymes|Beaudet}} +{{Infobox Biographie2}} +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]<ref>[https://www.sainte-marie.ca/repertoire_culturel/raymond-beaudet sainte-marie.ca]/</ref>. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon).Il est l’auteur de 5 romans, d’un essai, d'une biographie, d'un recueil de contes, d’une trentaine de scénarios, de plusieurs nouvelles et capsules historiques, de même que de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]<ref>{{Lien web |langue=fr |titre=https://twitter.com/raymondbeaudet |url=https://twitter.com/raymondbeaudet |site=Twitter |consulté le=2022-02-08}}</ref>. + +== Honneurs == +*Prix du Patrimoine (2019) Catégorie Interprétation et Diffusion<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les lauréats du Prix du patrimoine de Nouvelle-Beauce sont dévoilés |url=https://www.enbeauce.com/actualites/culturel/21829/les-laureats-du-prix-du-patrimoine-de-nouvelle-beauce-sont-devoiles |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016 +* Prix du Patrimoine (2011) Catégorie Interprétation et Diffusion<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les lauréats des Prix du patrimoine 2019 MRC Nouvelle-Beauce dévoilés |url=https://www.enbeauce.com/actualites/culturel/364234/les-laureats-des-prix-du-patrimoine-2019-mrc-nouvelle-beauce-devoiles |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2021 Les lieux enchantés du Parc Taschereau, publié aux Éditions de la Roupille, 96 pages, {{ISBN|978-2-924304-45-7}}<ref>{{Lien web |langue=fr-CA |titre=Des guides accrédités pour découvrir la Beauce |url=https://www.leclaireurprogres.ca/des-guides-accredites-pour-decouvrir-la-beauce/ |site=L'Éclaireur Progrès |date=2021-03-11 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-FR |prénom=Antoine |nom=Desrosiers |titre=Journée internationale des droits des femmes: huit femmes qui ont marqué Sainte-Marie à leur façon |url=https://mabeauce.com/journee-internationale-des-droits-des-femmes-huit-femmes-qui-ont-marque-sainte-marie-a-leur-facon/ |site=Ma Beauce |date=2021-03-08 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=en |titre=Conférence - L'écriture sa passion avec Raymond Beaudet à l'Éco-refuge du Domaine Taschereau -10$/p. - Sainte-Marie, 2021-06-29 |url=https://ca.datescloud.com/conference-lecriture-sa-passion-avec-raymond-beaudet-a-leco-sainte-marie-305685960.html |site=dates.cloud |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-FR |titre=Visites guidées et groupes touristiques {{!}} Domaine Taschereau |url=http://www.domainetaschereau.com/?page_id=634 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |titre=Se connecter à Facebook |url=https://www.facebook.com/ |site=Facebook |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les Lieux enchantés du parc Taschereau : des contes qui prennent vie |url=https://www.enbeauce.com/actualites/culturel/437952/les-lieux-enchantes-du-parc-taschereau-des-contes-qui-prennent-vie |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*2021 Normand Maurice, père de la récupération au Québec, biographie publiée aux Éditions de la Roupille, 176 pages, {{ISBN|978-2-924304-39-6}}<ref>{{Lien web |langue=fr-CA |titre=Un livre neuf pour le père de la récupération |url=http://www.beaucemedia.ca/2021/06/25/un-livre-neuf-pour-le-pere-de-la-recuperation/ |site=Beauce Média |date=2021-06-25 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |prénom=Raymond |nom=Beaudet |titre=Normand Maurice : père de la récupération au Québec par Raymond Beaudet {{!}} Biographies {{!}} Gens d'affaire {{!}} Leslibraires.ca |url=https://www.leslibraires.ca/livres/normand-maurice-pere-de-la-recuperation-raymond-beaudet-9782924304396.html |site=www.leslibraires.ca |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-FR |titre=Réseau CFER » Lancement du livre sur Normand Maurice |url=https://reseaucfer.ca/nouvelles/lancement-du-livre-sur-normand-maurice/ |consulté le=2022-02-08}}</ref><ref>{{Ouvrage|langue=en|titre=Normand Maurice, père de la récupération au Québec par BEAUDET, RAYMOND|lire en ligne=http://www.renaud-bray.com/Livres_Produit.aspx?id=3353354&def=Normand+Maurice%2c+p%c3%a8re+de+la+r%c3%a9cup%c3%a9ration+au+Qu%c3%a9bec%2cBEAUDET%2c+RAYMOND%2c9782924304396&utm_campaign=partage-réseaux-sociaux&utm_medium=réseaux-sociaux&utm_source=facebook-like|consulté le=2022-02-08}}</ref>. +*2021 Le bonheur, chroniques d'une vie à la campagne, publié aux Éditions de la Roupille, 270 pages {{ISBN|978-2-924304-40-2}}<ref>{{Lien web |langue=fr |prénom=Hélène |nom=Moore |titre=Le bonheur. Chroniques d’une vie à la campagne par Raymond Beaudet, Hélène Moore {{!}} Biographies {{!}} Faits vécus/Bio divers {{!}} Leslibraires.ca |url=https://www.leslibraires.ca/livres/le-bonheur-chroniques-d-une-vie-raymond-beaudet-9782924304402.html |site=www.leslibraires.ca |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-ca |prénom=Cool 103,5 |nom=FM |titre="Le bonheur" 6ième ouvrage de l'auteur Raymond Beaudet |url=https://www.coolfm.biz/nouvelle/5205--le-bonheur-6ieme-ouvrage-de-l-auteur-raymond-beaudet |site=Cool 103,5 FM |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-FR |prénom=Antoine |nom=Desrosiers |titre=Un sixième ouvrage pour l'auteur Raymond Beaudet de Sainte-Marie |url=https://mabeauce.com/un-sixieme-ouvrage-pour-lauteur-raymond-beaudet-de-sainte-marie/ |site=Ma Beauce |date=2021-02-25 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-ca |prénom=Cool 103,5 |nom=FM |titre="Le bonheur" 6ième ouvrage de l'auteur Raymond Beaudet |url=https://www.coolfm.biz/nouvelle/5205--le-bonheur-6ieme-ouvrage-de-l-auteur-raymond-beaudet |site=Cool 103,5 FM |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=ne |titre=Le bonheur, par Raymond BEAUDET et Hélène MOORE |url=https://ne-np.facebook.com/laroupille/videos/531892437783096/ |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |titre=L'écrivain... - Éditions La Roupille, Service d'édition |url=https://www.facebook.com/laroupille/videos/772815796737521/ |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=hi |titre=BIBLIOTHÈQUE {{!}} « Le bonheur :... - Ville de Sainte-Marie |url=https://hi-in.facebook.com/villesaintemarie/videos/128982392487598/ |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-CA |titre=Trouver le bonheur à la campagne |url=http://www.beaucemedia.ca/2021/02/24/trouver-le-bonheur-a-la-campagne/ |site=Beauce Média |date=2021-02-24 |consulté le=2022-02-08}}</ref>. +*2020 En décide de vendre, nouvelle parue dans Les Écrits mariverains 2020, {{ISBN|978-2-9810768-2-3}}<ref name=":0" />. + +*2019: +** Tableaux et portraits mariverains, Capsules historiques, {{ISBN|978-2-9810768-2-3}}<ref>{{Lien web |langue=th |titre=เข้าสู่ระบบ Facebook |url=https://th-th.facebook.com/login/?next=https%3A%2F%2Fth-th.facebook.com%2Fcheqfm%2Fposts%2F3625148174272475%2F |site=Facebook |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=ms |titre=LES 1001 MÉTIERS DE LA CULTURE {{!}} M. Raymond Beaudet |url=https://ms-my.facebook.com/villesaintemarie/videos/327787105117018/ |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-CA |titre=Des guides accrédités pour découvrir la Beauce |url=http://www.beaucemedia.ca/2021/03/11/des-guides-accredites-pour-decouvrir-la-beauce/ |site=Beauce Média |date=2021-03-11 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |titre=Chronique à Raymond {{!}} Mon site web |url=https://genealogiestemarie.ca/chronique-a-raymond |site=genealogiestemarie.ca |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-FR |titre=Capsules historiques |url=https://www.sainte-marie.ca/loisirs-culture/programmation/275e-anniversaire-capsules-historiques/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +** Carnet d'un passager clandestin, nouvelle parue dans Les Écrits Mariverains 2019, {{ISBN|978-2-9810768-0-9}}<ref name=":0">{{Lien web |langue=fr-FR |titre=Écrits mariverains |url=https://www.sainte-marie.ca/loisirs-culture/ecrits-mariverains/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +** Voix de dépassement, scénario du spectacle de la Corporation des Instrumentistes Associés<ref name=":1">{{Lien web |langue=fr-CA |titre=La CIA célébrera son 10e anniversaire le 15 avril |url=http://www.beaucemedia.ca/2021/11/25/la-cia-celebrera-son-10e-anniversaire-le-15-avril/ |site=Beauce Média |date=2021-11-25 |consulté le=2022-02-08}}</ref>. +*2018 +** Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, {{ISBN|978-2-9809683-9-6}}<ref name=":0" />. +** La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés<ref name=":1" />. +** La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 +** L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}} +** Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 +** Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016<ref>{{Lien web |langue=fr-CA |titre=La twittérature est victorieuse à Sainte-Marie |url=https://www.beaucemedia.ca/2016/05/20/la-twitterature-est-victorieuse-a-sainte-marie/ |site=Beauce Média |date=2016-05-20 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=La twittérature s'invite au CFER de Beauce à Sainte-Marie |url=https://www.enbeauce.com/actualites/culturel/305797/la-twitterature-sinvite-au-cfer-de-beauce-a-sainte-marie |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +** Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}}<ref name=":0" />. +** La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage: le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}}<ref name=":0" />. +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014, 26 juin, TEDx Sainte-Marie, La paternelle<ref>{{Lien web |langue=fr-FR |titre=La paternelle {{!}} Raymond Beaudet {{!}} TEDxSainteMarie |url=https://www.youtube.com/watch?v=wGqQ2FS-P-A |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=TEDx Sainte-Marie dévoile le nom de trois conférenciers |url=https://www.enbeauce.com/actualites/societe/125807/tedx-sainte-marie-devoile-le-nom-de-trois-conferenciers |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}}<ref name=":0" />. +*2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}}<ref>{{Ouvrage|langue=en|titre=Carapaces par BEAUDET, RAYMOND|lire en ligne=http://www.renaud-bray.com/Livres_Produit.aspx?id=1531849&def=Carapaces%2cBEAUDET%2c+RAYMOND%2c9782923706634&utm_campaign=partage-réseaux-sociaux&utm_medium=réseaux-sociaux&utm_source=facebook-like|consulté le=2022-02-08}}</ref><ref>{{Lien web |titre=http://biblio.villemontlaurier.qc.ca/in/faces/details.xhtml?id=p%3A%3Ausmarcdef_0000064212 |url=http://biblio.villemontlaurier.qc.ca/in/faces/details.xhtml?id=p%3A%3Ausmarcdef_0000064212 |site=biblio.villemontlaurier.qc.ca |consulté le=2022-02-08}}</ref>[https://www.renaud-bray.com/Livres_Produit.aspx?id=1531849&def=Carapaces,BEAUDET,+RAYMOND,9782923706634 .] +*2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=La CIA présente En quête de commissions à la Méchatigan |url=https://www.enbeauce.com/actualites/culturel/25305/la-cia-presente-en-quete-de-commissions-a-la-mechatigan |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}}<ref name=":0" />. +*2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}}<ref name=":0" />. +*2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2012 Finaliste dans deux concours de Zone d’écriture de Radio-Canada en twittérature. +*2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}}<ref name=":0" />. +*2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}}<ref name=":0" />. +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}}<ref>{{Lien web |langue=fr-FR |titre=Raymond Beaudet |url=https://www.sainte-marie.ca/repertoire_culturel/raymond-beaudet/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}}<ref>{{Lien web |langue=fr-FR |titre=Raymond Beaudet |url=https://www.sainte-marie.ca/repertoire_culturel/raymond-beaudet/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche)<ref>{{Lien web |langue=en |titre=PASSEPORT POUR LA LIBERTE. ROMAN by RAYMOND BEAUDET: bon Couverture souple (1988) {{!}} Le-Livre |url=https://www.abebooks.com/9782864770886/PASSEPORT-LIBERTE-ROMAN-RAYMOND-BEAUDET-2864770881/plp |site=www.abebooks.com |consulté le=2022-02-08}}</ref>. +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}<ref>{{Lien web |titre=Raymond Beaudet |url=https://www.goodreads.com/author/show/1956588.Raymond_Beaudet |site=www.goodreads.com |consulté le=2022-02-08}}</ref>. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce de théâtre montée par la troupe de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} +== Liens externes == +* {{Liens biographiques}} + +{{Portail|Québec|littérature}} + +{{CLEDETRI:Beaudet, Raymond}} +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] +[[Catégorie:Naissance en 1950]] + ewecchmdr55xggkq0ifaa6j1wajfz74 + + + 190662400 + 190662056 + 2022-02-08T18:15:25Z + + SuperTom4277 + 3477067 + + Ajouté des sources et des références. + wikitext + text/x-wiki + +{{Sans source|date=février 2021}} +{{À sourcer|date=mars 2019}} +{{voir homonymes|Beaudet}} +{{Infobox Biographie2}} +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]<ref>[https://www.sainte-marie.ca/repertoire_culturel/raymond-beaudet sainte-marie.ca]/</ref>. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon).Il est l’auteur de 5 romans, d’un essai, d'une biographie, d'un recueil de contes, d’une trentaine de scénarios, de plusieurs nouvelles et capsules historiques, de même que de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]<ref>{{Lien web |langue=fr |titre=https://twitter.com/raymondbeaudet |url=https://twitter.com/raymondbeaudet |site=Twitter |consulté le=2022-02-08}}</ref>. + +== Honneurs == +*[https://www.prixdupatrimoine.ca Prix du Patrimoine] (2019) Catégorie Interprétation et Diffusion<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les lauréats du Prix du patrimoine de Nouvelle-Beauce sont dévoilés |url=https://www.enbeauce.com/actualites/culturel/21829/les-laureats-du-prix-du-patrimoine-de-nouvelle-beauce-sont-devoiles |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*Prix coup de cœur du jury au Concours de twittérature du [https://francophoniedesameriques.com Centre de la Francophonie des Amériques] 2016 +* [https://www.prixdupatrimoine.ca Prix du Patrimoine] (2011) Catégorie Interprétation et Diffusion<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les lauréats des Prix du patrimoine 2019 MRC Nouvelle-Beauce dévoilés |url=https://www.enbeauce.com/actualites/culturel/364234/les-laureats-des-prix-du-patrimoine-2019-mrc-nouvelle-beauce-devoiles |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2021 Les lieux enchantés du Parc Taschereau, publié aux Éditions de la Roupille, 96 pages, {{ISBN|978-2-924304-45-7}}<ref>{{Lien web |langue=fr-CA |titre=Des guides accrédités pour découvrir la Beauce |url=https://www.leclaireurprogres.ca/des-guides-accredites-pour-decouvrir-la-beauce/ |site=L'Éclaireur Progrès |date=2021-03-11 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-FR |prénom=Antoine |nom=Desrosiers |titre=Journée internationale des droits des femmes: huit femmes qui ont marqué Sainte-Marie à leur façon |url=https://mabeauce.com/journee-internationale-des-droits-des-femmes-huit-femmes-qui-ont-marque-sainte-marie-a-leur-facon/ |site=Ma Beauce |date=2021-03-08 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=en |titre=Conférence - L'écriture sa passion avec Raymond Beaudet à l'Éco-refuge du Domaine Taschereau -10$/p. - Sainte-Marie, 2021-06-29 |url=https://ca.datescloud.com/conference-lecriture-sa-passion-avec-raymond-beaudet-a-leco-sainte-marie-305685960.html |site=dates.cloud |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-FR |titre=Visites guidées et groupes touristiques {{!}} Domaine Taschereau |url=http://www.domainetaschereau.com/?page_id=634 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |titre=Se connecter à Facebook |url=https://www.facebook.com/ |site=Facebook |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les Lieux enchantés du parc Taschereau : des contes qui prennent vie |url=https://www.enbeauce.com/actualites/culturel/437952/les-lieux-enchantes-du-parc-taschereau-des-contes-qui-prennent-vie |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*2021 Normand Maurice, père de la récupération au Québec, biographie publiée aux Éditions de la Roupille, 176 pages, {{ISBN|978-2-924304-39-6}}<ref>{{Lien web |langue=fr-CA |titre=Un livre neuf pour le père de la récupération |url=http://www.beaucemedia.ca/2021/06/25/un-livre-neuf-pour-le-pere-de-la-recuperation/ |site=Beauce Média |date=2021-06-25 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |prénom=Raymond |nom=Beaudet |titre=Normand Maurice : père de la récupération au Québec par Raymond Beaudet {{!}} Biographies {{!}} Gens d'affaire {{!}} Leslibraires.ca |url=https://www.leslibraires.ca/livres/normand-maurice-pere-de-la-recuperation-raymond-beaudet-9782924304396.html |site=www.leslibraires.ca |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-FR |titre=Réseau CFER » Lancement du livre sur Normand Maurice |url=https://reseaucfer.ca/nouvelles/lancement-du-livre-sur-normand-maurice/ |consulté le=2022-02-08}}</ref><ref>{{Ouvrage|langue=en|titre=Normand Maurice, père de la récupération au Québec par BEAUDET, RAYMOND|lire en ligne=http://www.renaud-bray.com/Livres_Produit.aspx?id=3353354&def=Normand+Maurice%2c+p%c3%a8re+de+la+r%c3%a9cup%c3%a9ration+au+Qu%c3%a9bec%2cBEAUDET%2c+RAYMOND%2c9782924304396&utm_campaign=partage-réseaux-sociaux&utm_medium=réseaux-sociaux&utm_source=facebook-like|consulté le=2022-02-08}}</ref>. +*2021 Le bonheur, chroniques d'une vie à la campagne, publié aux Éditions de la Roupille, 270 pages {{ISBN|978-2-924304-40-2}}<ref>{{Lien web |langue=fr |prénom=Hélène |nom=Moore |titre=Le bonheur. Chroniques d’une vie à la campagne par Raymond Beaudet, Hélène Moore {{!}} Biographies {{!}} Faits vécus/Bio divers {{!}} Leslibraires.ca |url=https://www.leslibraires.ca/livres/le-bonheur-chroniques-d-une-vie-raymond-beaudet-9782924304402.html |site=www.leslibraires.ca |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-ca |prénom=Cool 103,5 |nom=FM |titre="Le bonheur" 6ième ouvrage de l'auteur Raymond Beaudet |url=https://www.coolfm.biz/nouvelle/5205--le-bonheur-6ieme-ouvrage-de-l-auteur-raymond-beaudet |site=Cool 103,5 FM |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-FR |prénom=Antoine |nom=Desrosiers |titre=Un sixième ouvrage pour l'auteur Raymond Beaudet de Sainte-Marie |url=https://mabeauce.com/un-sixieme-ouvrage-pour-lauteur-raymond-beaudet-de-sainte-marie/ |site=Ma Beauce |date=2021-02-25 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-ca |prénom=Cool 103,5 |nom=FM |titre="Le bonheur" 6ième ouvrage de l'auteur Raymond Beaudet |url=https://www.coolfm.biz/nouvelle/5205--le-bonheur-6ieme-ouvrage-de-l-auteur-raymond-beaudet |site=Cool 103,5 FM |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=ne |titre=Le bonheur, par Raymond BEAUDET et Hélène MOORE |url=https://ne-np.facebook.com/laroupille/videos/531892437783096/ |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |titre=L'écrivain... - Éditions La Roupille, Service d'édition |url=https://www.facebook.com/laroupille/videos/772815796737521/ |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=hi |titre=BIBLIOTHÈQUE {{!}} « Le bonheur :... - Ville de Sainte-Marie |url=https://hi-in.facebook.com/villesaintemarie/videos/128982392487598/ |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-CA |titre=Trouver le bonheur à la campagne |url=http://www.beaucemedia.ca/2021/02/24/trouver-le-bonheur-a-la-campagne/ |site=Beauce Média |date=2021-02-24 |consulté le=2022-02-08}}</ref>. +*2020 En décide de vendre, nouvelle parue dans Les Écrits mariverains 2020, {{ISBN|978-2-9810768-2-3}}<ref name=":0" />. + +*2019: +** Tableaux et portraits mariverains, Capsules historiques, {{ISBN|978-2-9810768-2-3}}<ref>{{Lien web |langue=th |titre=เข้าสู่ระบบ Facebook |url=https://th-th.facebook.com/login/?next=https%3A%2F%2Fth-th.facebook.com%2Fcheqfm%2Fposts%2F3625148174272475%2F |site=Facebook |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=ms |titre=LES 1001 MÉTIERS DE LA CULTURE {{!}} M. Raymond Beaudet |url=https://ms-my.facebook.com/villesaintemarie/videos/327787105117018/ |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-CA |titre=Des guides accrédités pour découvrir la Beauce |url=http://www.beaucemedia.ca/2021/03/11/des-guides-accredites-pour-decouvrir-la-beauce/ |site=Beauce Média |date=2021-03-11 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |titre=Chronique à Raymond {{!}} Mon site web |url=https://genealogiestemarie.ca/chronique-a-raymond |site=genealogiestemarie.ca |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr-FR |titre=Capsules historiques |url=https://www.sainte-marie.ca/loisirs-culture/programmation/275e-anniversaire-capsules-historiques/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +** Carnet d'un passager clandestin, nouvelle parue dans Les Écrits Mariverains 2019, {{ISBN|978-2-9810768-0-9}}<ref name=":0">{{Lien web |langue=fr-FR |titre=Écrits mariverains |url=https://www.sainte-marie.ca/loisirs-culture/ecrits-mariverains/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +** Voix de dépassement, scénario du spectacle de la Corporation des Instrumentistes Associés<ref name=":1">{{Lien web |langue=fr-CA |titre=La CIA célébrera son 10e anniversaire le 15 avril |url=http://www.beaucemedia.ca/2021/11/25/la-cia-celebrera-son-10e-anniversaire-le-15-avril/ |site=Beauce Média |date=2021-11-25 |consulté le=2022-02-08}}</ref>. +*2018 +** Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, {{ISBN|978-2-9809683-9-6}}<ref name=":0" />. +** La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés<ref name=":1" />. +** La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 +** L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}}<ref name=":0" />. +** Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 +** Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016<ref>{{Lien web |langue=fr-CA |titre=La twittérature est victorieuse à Sainte-Marie |url=https://www.beaucemedia.ca/2016/05/20/la-twitterature-est-victorieuse-a-sainte-marie/ |site=Beauce Média |date=2016-05-20 |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=La twittérature s'invite au CFER de Beauce à Sainte-Marie |url=https://www.enbeauce.com/actualites/culturel/305797/la-twitterature-sinvite-au-cfer-de-beauce-a-sainte-marie |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +** Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}}<ref name=":0" />. +** La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage: le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}}<ref name=":0" />. +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014, 26 juin, TEDx Sainte-Marie, La paternelle<ref>{{Lien web |langue=fr-FR |titre=La paternelle {{!}} Raymond Beaudet {{!}} TEDxSainteMarie |url=https://www.youtube.com/watch?v=wGqQ2FS-P-A |consulté le=2022-02-08}}</ref><ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=TEDx Sainte-Marie dévoile le nom de trois conférenciers |url=https://www.enbeauce.com/actualites/societe/125807/tedx-sainte-marie-devoile-le-nom-de-trois-conferenciers |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}}<ref name=":0" />. +*2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}}<ref>{{Ouvrage|langue=en|titre=Carapaces par BEAUDET, RAYMOND|lire en ligne=http://www.renaud-bray.com/Livres_Produit.aspx?id=1531849&def=Carapaces%2cBEAUDET%2c+RAYMOND%2c9782923706634&utm_campaign=partage-réseaux-sociaux&utm_medium=réseaux-sociaux&utm_source=facebook-like|consulté le=2022-02-08}}</ref><ref>{{Lien web |titre=http://biblio.villemontlaurier.qc.ca/in/faces/details.xhtml?id=p%3A%3Ausmarcdef_0000064212 |url=http://biblio.villemontlaurier.qc.ca/in/faces/details.xhtml?id=p%3A%3Ausmarcdef_0000064212 |site=biblio.villemontlaurier.qc.ca |consulté le=2022-02-08}}</ref>[https://www.renaud-bray.com/Livres_Produit.aspx?id=1531849&def=Carapaces,BEAUDET,+RAYMOND,9782923706634 .] +*2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=La CIA présente En quête de commissions à la Méchatigan |url=https://www.enbeauce.com/actualites/culturel/25305/la-cia-presente-en-quete-de-commissions-a-la-mechatigan |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}}<ref name=":0" />. +*2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}}<ref name=":0" />. +*2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2012 Finaliste dans deux concours de Zone d’écriture de [[Société Radio-Canada|Radio-Canada]] en twittérature. +*2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}}<ref name=":0" />. +*2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. Ocus Pocus Production. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}}<ref name=":0" />. +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009<ref name=":0" />. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}}<ref>{{Lien web |langue=fr-FR |titre=Raymond Beaudet |url=https://www.sainte-marie.ca/repertoire_culturel/raymond-beaudet/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}}<ref>{{Lien web |langue=fr-FR |titre=Raymond Beaudet |url=https://www.sainte-marie.ca/repertoire_culturel/raymond-beaudet/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche)<ref>{{Lien web |langue=en |titre=PASSEPORT POUR LA LIBERTE. ROMAN by RAYMOND BEAUDET: bon Couverture souple (1988) {{!}} Le-Livre |url=https://www.abebooks.com/9782864770886/PASSEPORT-LIBERTE-ROMAN-RAYMOND-BEAUDET-2864770881/plp |site=www.abebooks.com |consulté le=2022-02-08}}</ref>. +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}<ref>{{Lien web |titre=Raymond Beaudet |url=https://www.goodreads.com/author/show/1956588.Raymond_Beaudet |site=www.goodreads.com |consulté le=2022-02-08}}</ref>. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce de théâtre montée par la troupe de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} +== Liens externes == +* {{Liens biographiques}} + +{{Portail|Québec|littérature}} + +{{CLEDETRI:Beaudet, Raymond}} +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] +[[Catégorie:Naissance en 1950]] + cihw7am9pms2hc9pjc8uha78k3ooioo + + + 190663859 + 190662400 + 2022-02-08T19:08:39Z + + RobokoBot + 2090299 + + + Ajout d’une [[Modèle:,|virgule]] entre plusieurs références. + wikitext + text/x-wiki + +{{Sans source|date=février 2021}} +{{À sourcer|date=mars 2019}} +{{voir homonymes|Beaudet}} +{{Infobox Biographie2}} +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]<ref>[https://www.sainte-marie.ca/repertoire_culturel/raymond-beaudet sainte-marie.ca]/</ref>. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon).Il est l’auteur de 5 romans, d’un essai, d'une biographie, d'un recueil de contes, d’une trentaine de scénarios, de plusieurs nouvelles et capsules historiques, de même que de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]<ref>{{Lien web |langue=fr |titre=https://twitter.com/raymondbeaudet |url=https://twitter.com/raymondbeaudet |site=Twitter |consulté le=2022-02-08}}</ref>. + +== Honneurs == +*[https://www.prixdupatrimoine.ca Prix du Patrimoine] (2019) Catégorie Interprétation et Diffusion<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les lauréats du Prix du patrimoine de Nouvelle-Beauce sont dévoilés |url=https://www.enbeauce.com/actualites/culturel/21829/les-laureats-du-prix-du-patrimoine-de-nouvelle-beauce-sont-devoiles |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*Prix coup de cœur du jury au Concours de twittérature du [https://francophoniedesameriques.com Centre de la Francophonie des Amériques] 2016 +* [https://www.prixdupatrimoine.ca Prix du Patrimoine] (2011) Catégorie Interprétation et Diffusion<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les lauréats des Prix du patrimoine 2019 MRC Nouvelle-Beauce dévoilés |url=https://www.enbeauce.com/actualites/culturel/364234/les-laureats-des-prix-du-patrimoine-2019-mrc-nouvelle-beauce-devoiles |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2021 Les lieux enchantés du Parc Taschereau, publié aux Éditions de la Roupille, 96 pages, {{ISBN|978-2-924304-45-7}}<ref>{{Lien web |langue=fr-CA |titre=Des guides accrédités pour découvrir la Beauce |url=https://www.leclaireurprogres.ca/des-guides-accredites-pour-decouvrir-la-beauce/ |site=L'Éclaireur Progrès |date=2021-03-11 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-FR |prénom=Antoine |nom=Desrosiers |titre=Journée internationale des droits des femmes: huit femmes qui ont marqué Sainte-Marie à leur façon |url=https://mabeauce.com/journee-internationale-des-droits-des-femmes-huit-femmes-qui-ont-marque-sainte-marie-a-leur-facon/ |site=Ma Beauce |date=2021-03-08 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=en |titre=Conférence - L'écriture sa passion avec Raymond Beaudet à l'Éco-refuge du Domaine Taschereau -10$/p. - Sainte-Marie, 2021-06-29 |url=https://ca.datescloud.com/conference-lecriture-sa-passion-avec-raymond-beaudet-a-leco-sainte-marie-305685960.html |site=dates.cloud |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-FR |titre=Visites guidées et groupes touristiques {{!}} Domaine Taschereau |url=http://www.domainetaschereau.com/?page_id=634 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |titre=Se connecter à Facebook |url=https://www.facebook.com/ |site=Facebook |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les Lieux enchantés du parc Taschereau : des contes qui prennent vie |url=https://www.enbeauce.com/actualites/culturel/437952/les-lieux-enchantes-du-parc-taschereau-des-contes-qui-prennent-vie |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*2021 Normand Maurice, père de la récupération au Québec, biographie publiée aux Éditions de la Roupille, 176 pages, {{ISBN|978-2-924304-39-6}}<ref>{{Lien web |langue=fr-CA |titre=Un livre neuf pour le père de la récupération |url=http://www.beaucemedia.ca/2021/06/25/un-livre-neuf-pour-le-pere-de-la-recuperation/ |site=Beauce Média |date=2021-06-25 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |prénom=Raymond |nom=Beaudet |titre=Normand Maurice : père de la récupération au Québec par Raymond Beaudet {{!}} Biographies {{!}} Gens d'affaire {{!}} Leslibraires.ca |url=https://www.leslibraires.ca/livres/normand-maurice-pere-de-la-recuperation-raymond-beaudet-9782924304396.html |site=www.leslibraires.ca |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-FR |titre=Réseau CFER » Lancement du livre sur Normand Maurice |url=https://reseaucfer.ca/nouvelles/lancement-du-livre-sur-normand-maurice/ |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Ouvrage|langue=en|titre=Normand Maurice, père de la récupération au Québec par BEAUDET, RAYMOND|lire en ligne=http://www.renaud-bray.com/Livres_Produit.aspx?id=3353354&def=Normand+Maurice%2c+p%c3%a8re+de+la+r%c3%a9cup%c3%a9ration+au+Qu%c3%a9bec%2cBEAUDET%2c+RAYMOND%2c9782924304396&utm_campaign=partage-réseaux-sociaux&utm_medium=réseaux-sociaux&utm_source=facebook-like|consulté le=2022-02-08}}</ref>. +*2021 Le bonheur, chroniques d'une vie à la campagne, publié aux Éditions de la Roupille, 270 pages {{ISBN|978-2-924304-40-2}}<ref>{{Lien web |langue=fr |prénom=Hélène |nom=Moore |titre=Le bonheur. Chroniques d’une vie à la campagne par Raymond Beaudet, Hélène Moore {{!}} Biographies {{!}} Faits vécus/Bio divers {{!}} Leslibraires.ca |url=https://www.leslibraires.ca/livres/le-bonheur-chroniques-d-une-vie-raymond-beaudet-9782924304402.html |site=www.leslibraires.ca |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-ca |prénom=Cool 103,5 |nom=FM |titre="Le bonheur" 6ième ouvrage de l'auteur Raymond Beaudet |url=https://www.coolfm.biz/nouvelle/5205--le-bonheur-6ieme-ouvrage-de-l-auteur-raymond-beaudet |site=Cool 103,5 FM |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-FR |prénom=Antoine |nom=Desrosiers |titre=Un sixième ouvrage pour l'auteur Raymond Beaudet de Sainte-Marie |url=https://mabeauce.com/un-sixieme-ouvrage-pour-lauteur-raymond-beaudet-de-sainte-marie/ |site=Ma Beauce |date=2021-02-25 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-ca |prénom=Cool 103,5 |nom=FM |titre="Le bonheur" 6ième ouvrage de l'auteur Raymond Beaudet |url=https://www.coolfm.biz/nouvelle/5205--le-bonheur-6ieme-ouvrage-de-l-auteur-raymond-beaudet |site=Cool 103,5 FM |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=ne |titre=Le bonheur, par Raymond BEAUDET et Hélène MOORE |url=https://ne-np.facebook.com/laroupille/videos/531892437783096/ |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |titre=L'écrivain... - Éditions La Roupille, Service d'édition |url=https://www.facebook.com/laroupille/videos/772815796737521/ |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=hi |titre=BIBLIOTHÈQUE {{!}} « Le bonheur :... - Ville de Sainte-Marie |url=https://hi-in.facebook.com/villesaintemarie/videos/128982392487598/ |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-CA |titre=Trouver le bonheur à la campagne |url=http://www.beaucemedia.ca/2021/02/24/trouver-le-bonheur-a-la-campagne/ |site=Beauce Média |date=2021-02-24 |consulté le=2022-02-08}}</ref>. +*2020 En décide de vendre, nouvelle parue dans Les Écrits mariverains 2020, {{ISBN|978-2-9810768-2-3}}<ref name=":0" />. + +*2019: +** Tableaux et portraits mariverains, Capsules historiques, {{ISBN|978-2-9810768-2-3}}<ref>{{Lien web |langue=th |titre=เข้าสู่ระบบ Facebook |url=https://th-th.facebook.com/login/?next=https%3A%2F%2Fth-th.facebook.com%2Fcheqfm%2Fposts%2F3625148174272475%2F |site=Facebook |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=ms |titre=LES 1001 MÉTIERS DE LA CULTURE {{!}} M. Raymond Beaudet |url=https://ms-my.facebook.com/villesaintemarie/videos/327787105117018/ |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-CA |titre=Des guides accrédités pour découvrir la Beauce |url=http://www.beaucemedia.ca/2021/03/11/des-guides-accredites-pour-decouvrir-la-beauce/ |site=Beauce Média |date=2021-03-11 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |titre=Chronique à Raymond {{!}} Mon site web |url=https://genealogiestemarie.ca/chronique-a-raymond |site=genealogiestemarie.ca |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-FR |titre=Capsules historiques |url=https://www.sainte-marie.ca/loisirs-culture/programmation/275e-anniversaire-capsules-historiques/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +** Carnet d'un passager clandestin, nouvelle parue dans Les Écrits Mariverains 2019, {{ISBN|978-2-9810768-0-9}}<ref name=":0">{{Lien web |langue=fr-FR |titre=Écrits mariverains |url=https://www.sainte-marie.ca/loisirs-culture/ecrits-mariverains/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +** Voix de dépassement, scénario du spectacle de la Corporation des Instrumentistes Associés<ref name=":1">{{Lien web |langue=fr-CA |titre=La CIA célébrera son 10e anniversaire le 15 avril |url=http://www.beaucemedia.ca/2021/11/25/la-cia-celebrera-son-10e-anniversaire-le-15-avril/ |site=Beauce Média |date=2021-11-25 |consulté le=2022-02-08}}</ref>. +*2018 +** Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, {{ISBN|978-2-9809683-9-6}}<ref name=":0" />. +** La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés<ref name=":1" />. +** La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 +** L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}}<ref name=":0" />. +** Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 +** Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016<ref>{{Lien web |langue=fr-CA |titre=La twittérature est victorieuse à Sainte-Marie |url=https://www.beaucemedia.ca/2016/05/20/la-twitterature-est-victorieuse-a-sainte-marie/ |site=Beauce Média |date=2016-05-20 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=La twittérature s'invite au CFER de Beauce à Sainte-Marie |url=https://www.enbeauce.com/actualites/culturel/305797/la-twitterature-sinvite-au-cfer-de-beauce-a-sainte-marie |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +** Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}}<ref name=":0" />. +** La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage: le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}}<ref name=":0" />. +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014, 26 juin, TEDx Sainte-Marie, La paternelle<ref>{{Lien web |langue=fr-FR |titre=La paternelle {{!}} Raymond Beaudet {{!}} TEDxSainteMarie |url=https://www.youtube.com/watch?v=wGqQ2FS-P-A |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=TEDx Sainte-Marie dévoile le nom de trois conférenciers |url=https://www.enbeauce.com/actualites/societe/125807/tedx-sainte-marie-devoile-le-nom-de-trois-conferenciers |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}}<ref name=":0" />. +*2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}}<ref>{{Ouvrage|langue=en|titre=Carapaces par BEAUDET, RAYMOND|lire en ligne=http://www.renaud-bray.com/Livres_Produit.aspx?id=1531849&def=Carapaces%2cBEAUDET%2c+RAYMOND%2c9782923706634&utm_campaign=partage-réseaux-sociaux&utm_medium=réseaux-sociaux&utm_source=facebook-like|consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |titre=http://biblio.villemontlaurier.qc.ca/in/faces/details.xhtml?id=p%3A%3Ausmarcdef_0000064212 |url=http://biblio.villemontlaurier.qc.ca/in/faces/details.xhtml?id=p%3A%3Ausmarcdef_0000064212 |site=biblio.villemontlaurier.qc.ca |consulté le=2022-02-08}}</ref>[https://www.renaud-bray.com/Livres_Produit.aspx?id=1531849&def=Carapaces,BEAUDET,+RAYMOND,9782923706634 .] +*2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=La CIA présente En quête de commissions à la Méchatigan |url=https://www.enbeauce.com/actualites/culturel/25305/la-cia-presente-en-quete-de-commissions-a-la-mechatigan |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}}<ref name=":0" />. +*2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}}<ref name=":0" />. +*2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2012 Finaliste dans deux concours de Zone d’écriture de [[Société Radio-Canada|Radio-Canada]] en twittérature. +*2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}}<ref name=":0" />. +*2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. Ocus Pocus Production. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}}<ref name=":0" />. +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009<ref name=":0" />. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}}<ref>{{Lien web |langue=fr-FR |titre=Raymond Beaudet |url=https://www.sainte-marie.ca/repertoire_culturel/raymond-beaudet/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}}<ref>{{Lien web |langue=fr-FR |titre=Raymond Beaudet |url=https://www.sainte-marie.ca/repertoire_culturel/raymond-beaudet/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche)<ref>{{Lien web |langue=en |titre=PASSEPORT POUR LA LIBERTE. ROMAN by RAYMOND BEAUDET: bon Couverture souple (1988) {{!}} Le-Livre |url=https://www.abebooks.com/9782864770886/PASSEPORT-LIBERTE-ROMAN-RAYMOND-BEAUDET-2864770881/plp |site=www.abebooks.com |consulté le=2022-02-08}}</ref>. +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}<ref>{{Lien web |titre=Raymond Beaudet |url=https://www.goodreads.com/author/show/1956588.Raymond_Beaudet |site=www.goodreads.com |consulté le=2022-02-08}}</ref>. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce de théâtre montée par la troupe de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} +== Liens externes == +* {{Liens biographiques}} + +{{Portail|Québec|littérature}} + +{{CLEDETRI:Beaudet, Raymond}} +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] +[[Catégorie:Naissance en 1950]] + 961g6mmin44q2q90lx3q423cpsl4gw3 + + + 190685748 + 190663859 + 2022-02-09T15:29:20Z + + FrederiqueDube + 4146818 + + wikitext + text/x-wiki + {{voir homonymes|Beaudet}} +{{Infobox Biographie2}} +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]<ref>[https://www.sainte-marie.ca/repertoire_culturel/raymond-beaudet sainte-marie.ca]/</ref>. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon).Il est l’auteur de 5 romans, d’un essai, d'une biographie, d'un recueil de contes, d’une trentaine de scénarios, de plusieurs nouvelles et capsules historiques, de même que de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]<ref>{{Lien web |langue=fr |titre=https://twitter.com/raymondbeaudet |url=https://twitter.com/raymondbeaudet |site=Twitter |consulté le=2022-02-08}}</ref>. + +== Honneurs == +*[https://www.prixdupatrimoine.ca Prix du Patrimoine] (2019) Catégorie Interprétation et Diffusion<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les lauréats du Prix du patrimoine de Nouvelle-Beauce sont dévoilés |url=https://www.enbeauce.com/actualites/culturel/21829/les-laureats-du-prix-du-patrimoine-de-nouvelle-beauce-sont-devoiles |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*Prix coup de cœur du jury au Concours de twittérature du [https://francophoniedesameriques.com Centre de la Francophonie des Amériques] 2016 +* [https://www.prixdupatrimoine.ca Prix du Patrimoine] (2011) Catégorie Interprétation et Diffusion<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les lauréats des Prix du patrimoine 2019 MRC Nouvelle-Beauce dévoilés |url=https://www.enbeauce.com/actualites/culturel/364234/les-laureats-des-prix-du-patrimoine-2019-mrc-nouvelle-beauce-devoiles |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2021 Les lieux enchantés du Parc Taschereau, publié aux Éditions de la Roupille, 96 pages, {{ISBN|978-2-924304-45-7}}<ref>{{Lien web |langue=fr-CA |titre=Des guides accrédités pour découvrir la Beauce |url=https://www.leclaireurprogres.ca/des-guides-accredites-pour-decouvrir-la-beauce/ |site=L'Éclaireur Progrès |date=2021-03-11 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-FR |prénom=Antoine |nom=Desrosiers |titre=Journée internationale des droits des femmes: huit femmes qui ont marqué Sainte-Marie à leur façon |url=https://mabeauce.com/journee-internationale-des-droits-des-femmes-huit-femmes-qui-ont-marque-sainte-marie-a-leur-facon/ |site=Ma Beauce |date=2021-03-08 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=en |titre=Conférence - L'écriture sa passion avec Raymond Beaudet à l'Éco-refuge du Domaine Taschereau -10$/p. - Sainte-Marie, 2021-06-29 |url=https://ca.datescloud.com/conference-lecriture-sa-passion-avec-raymond-beaudet-a-leco-sainte-marie-305685960.html |site=dates.cloud |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-FR |titre=Visites guidées et groupes touristiques {{!}} Domaine Taschereau |url=http://www.domainetaschereau.com/?page_id=634 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |titre=Se connecter à Facebook |url=https://www.facebook.com/ |site=Facebook |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les Lieux enchantés du parc Taschereau : des contes qui prennent vie |url=https://www.enbeauce.com/actualites/culturel/437952/les-lieux-enchantes-du-parc-taschereau-des-contes-qui-prennent-vie |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*2021 Normand Maurice, père de la récupération au Québec, biographie publiée aux Éditions de la Roupille, 176 pages, {{ISBN|978-2-924304-39-6}}<ref>{{Lien web |langue=fr-CA |titre=Un livre neuf pour le père de la récupération |url=http://www.beaucemedia.ca/2021/06/25/un-livre-neuf-pour-le-pere-de-la-recuperation/ |site=Beauce Média |date=2021-06-25 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |prénom=Raymond |nom=Beaudet |titre=Normand Maurice : père de la récupération au Québec par Raymond Beaudet {{!}} Biographies {{!}} Gens d'affaire {{!}} Leslibraires.ca |url=https://www.leslibraires.ca/livres/normand-maurice-pere-de-la-recuperation-raymond-beaudet-9782924304396.html |site=www.leslibraires.ca |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-FR |titre=Réseau CFER » Lancement du livre sur Normand Maurice |url=https://reseaucfer.ca/nouvelles/lancement-du-livre-sur-normand-maurice/ |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Ouvrage|langue=en|titre=Normand Maurice, père de la récupération au Québec par BEAUDET, RAYMOND|lire en ligne=http://www.renaud-bray.com/Livres_Produit.aspx?id=3353354&def=Normand+Maurice%2c+p%c3%a8re+de+la+r%c3%a9cup%c3%a9ration+au+Qu%c3%a9bec%2cBEAUDET%2c+RAYMOND%2c9782924304396&utm_campaign=partage-réseaux-sociaux&utm_medium=réseaux-sociaux&utm_source=facebook-like|consulté le=2022-02-08}}</ref>. +*2021 Le bonheur, chroniques d'une vie à la campagne, publié aux Éditions de la Roupille, 270 pages {{ISBN|978-2-924304-40-2}}<ref>{{Lien web |langue=fr |prénom=Hélène |nom=Moore |titre=Le bonheur. Chroniques d’une vie à la campagne par Raymond Beaudet, Hélène Moore {{!}} Biographies {{!}} Faits vécus/Bio divers {{!}} Leslibraires.ca |url=https://www.leslibraires.ca/livres/le-bonheur-chroniques-d-une-vie-raymond-beaudet-9782924304402.html |site=www.leslibraires.ca |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-ca |prénom=Cool 103,5 |nom=FM |titre="Le bonheur" 6ième ouvrage de l'auteur Raymond Beaudet |url=https://www.coolfm.biz/nouvelle/5205--le-bonheur-6ieme-ouvrage-de-l-auteur-raymond-beaudet |site=Cool 103,5 FM |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-FR |prénom=Antoine |nom=Desrosiers |titre=Un sixième ouvrage pour l'auteur Raymond Beaudet de Sainte-Marie |url=https://mabeauce.com/un-sixieme-ouvrage-pour-lauteur-raymond-beaudet-de-sainte-marie/ |site=Ma Beauce |date=2021-02-25 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-ca |prénom=Cool 103,5 |nom=FM |titre="Le bonheur" 6ième ouvrage de l'auteur Raymond Beaudet |url=https://www.coolfm.biz/nouvelle/5205--le-bonheur-6ieme-ouvrage-de-l-auteur-raymond-beaudet |site=Cool 103,5 FM |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=ne |titre=Le bonheur, par Raymond BEAUDET et Hélène MOORE |url=https://ne-np.facebook.com/laroupille/videos/531892437783096/ |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |titre=L'écrivain... - Éditions La Roupille, Service d'édition |url=https://www.facebook.com/laroupille/videos/772815796737521/ |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=hi |titre=BIBLIOTHÈQUE {{!}} « Le bonheur :... - Ville de Sainte-Marie |url=https://hi-in.facebook.com/villesaintemarie/videos/128982392487598/ |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-CA |titre=Trouver le bonheur à la campagne |url=http://www.beaucemedia.ca/2021/02/24/trouver-le-bonheur-a-la-campagne/ |site=Beauce Média |date=2021-02-24 |consulté le=2022-02-08}}</ref>. +*2020 En décide de vendre, nouvelle parue dans Les Écrits mariverains 2020, {{ISBN|978-2-9810768-2-3}}<ref name=":0" />. + +*2019: +** Tableaux et portraits mariverains, Capsules historiques, {{ISBN|978-2-9810768-2-3}}<ref>{{Lien web |langue=th |titre=เข้าสู่ระบบ Facebook |url=https://th-th.facebook.com/login/?next=https%3A%2F%2Fth-th.facebook.com%2Fcheqfm%2Fposts%2F3625148174272475%2F |site=Facebook |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=ms |titre=LES 1001 MÉTIERS DE LA CULTURE {{!}} M. Raymond Beaudet |url=https://ms-my.facebook.com/villesaintemarie/videos/327787105117018/ |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-CA |titre=Des guides accrédités pour découvrir la Beauce |url=http://www.beaucemedia.ca/2021/03/11/des-guides-accredites-pour-decouvrir-la-beauce/ |site=Beauce Média |date=2021-03-11 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |titre=Chronique à Raymond {{!}} Mon site web |url=https://genealogiestemarie.ca/chronique-a-raymond |site=genealogiestemarie.ca |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-FR |titre=Capsules historiques |url=https://www.sainte-marie.ca/loisirs-culture/programmation/275e-anniversaire-capsules-historiques/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +** Carnet d'un passager clandestin, nouvelle parue dans Les Écrits Mariverains 2019, {{ISBN|978-2-9810768-0-9}}<ref name=":0">{{Lien web |langue=fr-FR |titre=Écrits mariverains |url=https://www.sainte-marie.ca/loisirs-culture/ecrits-mariverains/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +** Voix de dépassement, scénario du spectacle de la Corporation des Instrumentistes Associés<ref name=":1">{{Lien web |langue=fr-CA |titre=La CIA célébrera son 10e anniversaire le 15 avril |url=http://www.beaucemedia.ca/2021/11/25/la-cia-celebrera-son-10e-anniversaire-le-15-avril/ |site=Beauce Média |date=2021-11-25 |consulté le=2022-02-08}}</ref>. +*2018 +** Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, {{ISBN|978-2-9809683-9-6}}<ref name=":0" />. +** La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés<ref name=":1" />. +** La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 +** L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}}<ref name=":0" />. +** Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 +** Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016<ref>{{Lien web |langue=fr-CA |titre=La twittérature est victorieuse à Sainte-Marie |url=https://www.beaucemedia.ca/2016/05/20/la-twitterature-est-victorieuse-a-sainte-marie/ |site=Beauce Média |date=2016-05-20 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=La twittérature s'invite au CFER de Beauce à Sainte-Marie |url=https://www.enbeauce.com/actualites/culturel/305797/la-twitterature-sinvite-au-cfer-de-beauce-a-sainte-marie |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +** Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}}<ref name=":0" />. +** La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage: le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}}<ref name=":0" />. +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014, 26 juin, TEDx Sainte-Marie, La paternelle<ref>{{Lien web |langue=fr-FR |titre=La paternelle {{!}} Raymond Beaudet {{!}} TEDxSainteMarie |url=https://www.youtube.com/watch?v=wGqQ2FS-P-A |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=TEDx Sainte-Marie dévoile le nom de trois conférenciers |url=https://www.enbeauce.com/actualites/societe/125807/tedx-sainte-marie-devoile-le-nom-de-trois-conferenciers |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}}<ref name=":0" />. +*2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}}<ref>{{Ouvrage|langue=en|titre=Carapaces par BEAUDET, RAYMOND|lire en ligne=http://www.renaud-bray.com/Livres_Produit.aspx?id=1531849&def=Carapaces%2cBEAUDET%2c+RAYMOND%2c9782923706634&utm_campaign=partage-réseaux-sociaux&utm_medium=réseaux-sociaux&utm_source=facebook-like|consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |titre=http://biblio.villemontlaurier.qc.ca/in/faces/details.xhtml?id=p%3A%3Ausmarcdef_0000064212 |url=http://biblio.villemontlaurier.qc.ca/in/faces/details.xhtml?id=p%3A%3Ausmarcdef_0000064212 |site=biblio.villemontlaurier.qc.ca |consulté le=2022-02-08}}</ref>[https://www.renaud-bray.com/Livres_Produit.aspx?id=1531849&def=Carapaces,BEAUDET,+RAYMOND,9782923706634 .] +*2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=La CIA présente En quête de commissions à la Méchatigan |url=https://www.enbeauce.com/actualites/culturel/25305/la-cia-presente-en-quete-de-commissions-a-la-mechatigan |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}}<ref name=":0" />. +*2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}}<ref name=":0" />. +*2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2012 Finaliste dans deux concours de Zone d’écriture de [[Société Radio-Canada|Radio-Canada]] en twittérature. +*2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}}<ref name=":0" />. +*2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. Ocus Pocus Production. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}}<ref name=":0" />. +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009<ref name=":0" />. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}}<ref>{{Lien web |langue=fr-FR |titre=Raymond Beaudet |url=https://www.sainte-marie.ca/repertoire_culturel/raymond-beaudet/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}}<ref>{{Lien web |langue=fr-FR |titre=Raymond Beaudet |url=https://www.sainte-marie.ca/repertoire_culturel/raymond-beaudet/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche)<ref>{{Lien web |langue=en |titre=PASSEPORT POUR LA LIBERTE. ROMAN by RAYMOND BEAUDET: bon Couverture souple (1988) {{!}} Le-Livre |url=https://www.abebooks.com/9782864770886/PASSEPORT-LIBERTE-ROMAN-RAYMOND-BEAUDET-2864770881/plp |site=www.abebooks.com |consulté le=2022-02-08}}</ref>. +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}<ref>{{Lien web |titre=Raymond Beaudet |url=https://www.goodreads.com/author/show/1956588.Raymond_Beaudet |site=www.goodreads.com |consulté le=2022-02-08}}</ref>. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce de théâtre montée par la troupe de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} +== Liens externes == +* {{Liens biographiques}} + +{{Portail|Québec|littérature}} + +{{CLEDETRI:Beaudet, Raymond}} +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] +[[Catégorie:Naissance en 1950]] + fgmxuzmlrqo2c96qbvh9dgllqc35i7e + + + 191090598 + 190685748 + 2022-02-21T11:55:35Z + + WikiCleanerBot + 351003 + + + v2.04b - [[Utilisateur:WikiCleanerBot#T3|Bot T3 PCS#558]] - [[P:CS|Correction syntaxique]] (Référence dupliquée - Orthographe et typographie) + wikitext + text/x-wiki + {{voir homonymes|Beaudet}} +{{Infobox Biographie2}} +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]<ref>[https://www.sainte-marie.ca/repertoire_culturel/raymond-beaudet sainte-marie.ca]/</ref>. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon).Il est l’auteur de 5 romans, d’un essai, d'une biographie, d'un recueil de contes, d’une trentaine de scénarios, de plusieurs nouvelles et capsules historiques, de même que de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]<ref>{{Lien web |langue=fr |titre=https://twitter.com/raymondbeaudet |url=https://twitter.com/raymondbeaudet |site=Twitter |consulté le=2022-02-08}}</ref>. + +== Honneurs == +*[https://www.prixdupatrimoine.ca Prix du Patrimoine] (2019) Catégorie Interprétation et Diffusion<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les lauréats du Prix du patrimoine de Nouvelle-Beauce sont dévoilés |url=https://www.enbeauce.com/actualites/culturel/21829/les-laureats-du-prix-du-patrimoine-de-nouvelle-beauce-sont-devoiles |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*Prix coup de cœur du jury au Concours de twittérature du [https://francophoniedesameriques.com Centre de la Francophonie des Amériques] 2016 +* [https://www.prixdupatrimoine.ca Prix du Patrimoine] (2011) Catégorie Interprétation et Diffusion<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les lauréats des Prix du patrimoine 2019 MRC Nouvelle-Beauce dévoilés |url=https://www.enbeauce.com/actualites/culturel/364234/les-laureats-des-prix-du-patrimoine-2019-mrc-nouvelle-beauce-devoiles |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2021 Les lieux enchantés du Parc Taschereau, publié aux Éditions de la Roupille, 96 pages, {{ISBN|978-2-924304-45-7}}<ref>{{Lien web |langue=fr-CA |titre=Des guides accrédités pour découvrir la Beauce |url=https://www.leclaireurprogres.ca/des-guides-accredites-pour-decouvrir-la-beauce/ |site=L'Éclaireur Progrès |date=2021-03-11 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-FR |prénom=Antoine |nom=Desrosiers |titre=Journée internationale des droits des femmes: huit femmes qui ont marqué Sainte-Marie à leur façon |url=https://mabeauce.com/journee-internationale-des-droits-des-femmes-huit-femmes-qui-ont-marque-sainte-marie-a-leur-facon/ |site=Ma Beauce |date=2021-03-08 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=en |titre=Conférence - L'écriture sa passion avec Raymond Beaudet à l'Éco-refuge du Domaine Taschereau -10$/p. - Sainte-Marie, 2021-06-29 |url=https://ca.datescloud.com/conference-lecriture-sa-passion-avec-raymond-beaudet-a-leco-sainte-marie-305685960.html |site=dates.cloud |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-FR |titre=Visites guidées et groupes touristiques {{!}} Domaine Taschereau |url=http://www.domainetaschereau.com/?page_id=634 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |titre=Se connecter à Facebook |url=https://www.facebook.com/ |site=Facebook |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les Lieux enchantés du parc Taschereau : des contes qui prennent vie |url=https://www.enbeauce.com/actualites/culturel/437952/les-lieux-enchantes-du-parc-taschereau-des-contes-qui-prennent-vie |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*2021 Normand Maurice, père de la récupération au Québec, biographie publiée aux Éditions de la Roupille, 176 pages, {{ISBN|978-2-924304-39-6}}<ref>{{Lien web |langue=fr-CA |titre=Un livre neuf pour le père de la récupération |url=http://www.beaucemedia.ca/2021/06/25/un-livre-neuf-pour-le-pere-de-la-recuperation/ |site=Beauce Média |date=2021-06-25 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |prénom=Raymond |nom=Beaudet |titre=Normand Maurice : père de la récupération au Québec par Raymond Beaudet {{!}} Biographies {{!}} Gens d'affaire {{!}} Leslibraires.ca |url=https://www.leslibraires.ca/livres/normand-maurice-pere-de-la-recuperation-raymond-beaudet-9782924304396.html |site=www.leslibraires.ca |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-FR |titre=Réseau CFER » Lancement du livre sur Normand Maurice |url=https://reseaucfer.ca/nouvelles/lancement-du-livre-sur-normand-maurice/ |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Ouvrage|langue=en|titre=Normand Maurice, père de la récupération au Québec par BEAUDET, RAYMOND|lire en ligne=http://www.renaud-bray.com/Livres_Produit.aspx?id=3353354&def=Normand+Maurice%2c+p%c3%a8re+de+la+r%c3%a9cup%c3%a9ration+au+Qu%c3%a9bec%2cBEAUDET%2c+RAYMOND%2c9782924304396&utm_campaign=partage-réseaux-sociaux&utm_medium=réseaux-sociaux&utm_source=facebook-like|consulté le=2022-02-08}}</ref>. +*2021 Le bonheur, chroniques d'une vie à la campagne, publié aux Éditions de la Roupille, 270 pages {{ISBN|978-2-924304-40-2}}<ref>{{Lien web |langue=fr |prénom=Hélène |nom=Moore |titre=Le bonheur. Chroniques d’une vie à la campagne par Raymond Beaudet, Hélène Moore {{!}} Biographies {{!}} Faits vécus/Bio divers {{!}} Leslibraires.ca |url=https://www.leslibraires.ca/livres/le-bonheur-chroniques-d-une-vie-raymond-beaudet-9782924304402.html |site=www.leslibraires.ca |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-ca |prénom=Cool 103,5 |nom=FM |titre="Le bonheur" 6ième ouvrage de l'auteur Raymond Beaudet |url=https://www.coolfm.biz/nouvelle/5205--le-bonheur-6ieme-ouvrage-de-l-auteur-raymond-beaudet |site=Cool 103,5 FM |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-FR |prénom=Antoine |nom=Desrosiers |titre=Un sixième ouvrage pour l'auteur Raymond Beaudet de Sainte-Marie |url=https://mabeauce.com/un-sixieme-ouvrage-pour-lauteur-raymond-beaudet-de-sainte-marie/ |site=Ma Beauce |date=2021-02-25 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=ne |titre=Le bonheur, par Raymond BEAUDET et Hélène MOORE |url=https://ne-np.facebook.com/laroupille/videos/531892437783096/ |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |titre=L'écrivain... - Éditions La Roupille, Service d'édition |url=https://www.facebook.com/laroupille/videos/772815796737521/ |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=hi |titre=BIBLIOTHÈQUE {{!}} « Le bonheur :... - Ville de Sainte-Marie |url=https://hi-in.facebook.com/villesaintemarie/videos/128982392487598/ |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-CA |titre=Trouver le bonheur à la campagne |url=http://www.beaucemedia.ca/2021/02/24/trouver-le-bonheur-a-la-campagne/ |site=Beauce Média |date=2021-02-24 |consulté le=2022-02-08}}</ref>. +*2020 En décide de vendre, nouvelle parue dans Les Écrits mariverains 2020, {{ISBN|978-2-9810768-2-3}}<ref name=":0" />. + +*2019: +** Tableaux et portraits mariverains, Capsules historiques, {{ISBN|978-2-9810768-2-3}}<ref>{{Lien web |langue=th |titre=เข้าสู่ระบบ Facebook |url=https://th-th.facebook.com/login/?next=https%3A%2F%2Fth-th.facebook.com%2Fcheqfm%2Fposts%2F3625148174272475%2F |site=Facebook |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=ms |titre=LES 1001 MÉTIERS DE LA CULTURE {{!}} M. Raymond Beaudet |url=https://ms-my.facebook.com/villesaintemarie/videos/327787105117018/ |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-CA |titre=Des guides accrédités pour découvrir la Beauce |url=http://www.beaucemedia.ca/2021/03/11/des-guides-accredites-pour-decouvrir-la-beauce/ |site=Beauce Média |date=2021-03-11 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |titre=Chronique à Raymond {{!}} Mon site web |url=https://genealogiestemarie.ca/chronique-a-raymond |site=genealogiestemarie.ca |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-FR |titre=Capsules historiques |url=https://www.sainte-marie.ca/loisirs-culture/programmation/275e-anniversaire-capsules-historiques/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +** Carnet d'un passager clandestin, nouvelle parue dans Les Écrits Mariverains 2019, {{ISBN|978-2-9810768-0-9}}<ref name=":0">{{Lien web |langue=fr-FR |titre=Écrits mariverains |url=https://www.sainte-marie.ca/loisirs-culture/ecrits-mariverains/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +** Voix de dépassement, scénario du spectacle de la Corporation des Instrumentistes Associés<ref name=":1">{{Lien web |langue=fr-CA |titre=La CIA célébrera son 10e anniversaire le 15 avril |url=http://www.beaucemedia.ca/2021/11/25/la-cia-celebrera-son-10e-anniversaire-le-15-avril/ |site=Beauce Média |date=2021-11-25 |consulté le=2022-02-08}}</ref>. +*2018 +** Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, {{ISBN|978-2-9809683-9-6}}<ref name=":0" />. +** La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés<ref name=":1" />. +** La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 +** L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}}<ref name=":0" />. +** Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 +** Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016<ref>{{Lien web |langue=fr-CA |titre=La twittérature est victorieuse à Sainte-Marie |url=https://www.beaucemedia.ca/2016/05/20/la-twitterature-est-victorieuse-a-sainte-marie/ |site=Beauce Média |date=2016-05-20 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=La twittérature s'invite au CFER de Beauce à Sainte-Marie |url=https://www.enbeauce.com/actualites/culturel/305797/la-twitterature-sinvite-au-cfer-de-beauce-a-sainte-marie |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +** Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}}<ref name=":0" />. +** La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage: le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}}<ref name=":0" />. +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014, 26 juin, TEDx Sainte-Marie, La paternelle<ref>{{Lien web |langue=fr-FR |titre=La paternelle {{!}} Raymond Beaudet {{!}} TEDxSainteMarie |url=https://www.youtube.com/watch?v=wGqQ2FS-P-A |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=TEDx Sainte-Marie dévoile le nom de trois conférenciers |url=https://www.enbeauce.com/actualites/societe/125807/tedx-sainte-marie-devoile-le-nom-de-trois-conferenciers |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}}<ref name=":0" />. +*2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}}<ref>{{Ouvrage|langue=en|titre=Carapaces par BEAUDET, RAYMOND|lire en ligne=http://www.renaud-bray.com/Livres_Produit.aspx?id=1531849&def=Carapaces%2cBEAUDET%2c+RAYMOND%2c9782923706634&utm_campaign=partage-réseaux-sociaux&utm_medium=réseaux-sociaux&utm_source=facebook-like|consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |titre=http://biblio.villemontlaurier.qc.ca/in/faces/details.xhtml?id=p%3A%3Ausmarcdef_0000064212 |url=http://biblio.villemontlaurier.qc.ca/in/faces/details.xhtml?id=p%3A%3Ausmarcdef_0000064212 |site=biblio.villemontlaurier.qc.ca |consulté le=2022-02-08}}</ref>[https://www.renaud-bray.com/Livres_Produit.aspx?id=1531849&def=Carapaces,BEAUDET,+RAYMOND,9782923706634 .] +*2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=La CIA présente En quête de commissions à la Méchatigan |url=https://www.enbeauce.com/actualites/culturel/25305/la-cia-presente-en-quete-de-commissions-a-la-mechatigan |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}}<ref name=":0" />. +*2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}}<ref name=":0" />. +*2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2012 Finaliste dans deux concours de Zone d’écriture de [[Société Radio-Canada|Radio-Canada]] en twittérature. +*2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}}<ref name=":0" />. +*2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. Ocus Pocus Production. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}}<ref name=":0" />. +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009<ref name=":0" />. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}}<ref>{{Lien web |langue=fr-FR |titre=Raymond Beaudet |url=https://www.sainte-marie.ca/repertoire_culturel/raymond-beaudet/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}}<ref>{{Lien web |langue=fr-FR |titre=Raymond Beaudet |url=https://www.sainte-marie.ca/repertoire_culturel/raymond-beaudet/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche)<ref>{{Lien web |langue=en |titre=PASSEPORT POUR LA LIBERTE. ROMAN by RAYMOND BEAUDET: bon Couverture souple (1988) {{!}} Le-Livre |url=https://www.abebooks.com/9782864770886/PASSEPORT-LIBERTE-ROMAN-RAYMOND-BEAUDET-2864770881/plp |site=www.abebooks.com |consulté le=2022-02-08}}</ref>. +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}<ref>{{Lien web |titre=Raymond Beaudet |url=https://www.goodreads.com/author/show/1956588.Raymond_Beaudet |site=www.goodreads.com |consulté le=2022-02-08}}</ref>. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce de théâtre montée par la troupe de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} +== Liens externes == +* {{Liens biographiques}} + +{{Portail|Québec|littérature}} + +{{CLEDETRI:Beaudet, Raymond}} +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] +[[Catégorie:Naissance en 1950]] + 8arpguhi0avpjqv36yazq3ncthok4uf + + + 192971746 + 191090598 + 2022-04-19T05:46:55Z + + WikiCleanerBot + 351003 + + + v2.04b - [[User:WikiCleanerBot#T12|Bot T12 CW#548]] - [[P:CS|Correction syntaxique]] (Ponctuation dans un lien) + wikitext + text/x-wiki + {{voir homonymes|Beaudet}} +{{Infobox Biographie2}} +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]<ref>[https://www.sainte-marie.ca/repertoire_culturel/raymond-beaudet sainte-marie.ca]/</ref>. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon).Il est l’auteur de 5 romans, d’un essai, d'une biographie, d'un recueil de contes, d’une trentaine de scénarios, de plusieurs nouvelles et capsules historiques, de même que de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]<ref>{{Lien web |langue=fr |titre=https://twitter.com/raymondbeaudet |url=https://twitter.com/raymondbeaudet |site=Twitter |consulté le=2022-02-08}}</ref>. + +== Honneurs == +*[https://www.prixdupatrimoine.ca Prix du Patrimoine] (2019) Catégorie Interprétation et Diffusion<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les lauréats du Prix du patrimoine de Nouvelle-Beauce sont dévoilés |url=https://www.enbeauce.com/actualites/culturel/21829/les-laureats-du-prix-du-patrimoine-de-nouvelle-beauce-sont-devoiles |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*Prix coup de cœur du jury au Concours de twittérature du [https://francophoniedesameriques.com Centre de la Francophonie des Amériques] 2016 +* [https://www.prixdupatrimoine.ca Prix du Patrimoine] (2011) Catégorie Interprétation et Diffusion<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les lauréats des Prix du patrimoine 2019 MRC Nouvelle-Beauce dévoilés |url=https://www.enbeauce.com/actualites/culturel/364234/les-laureats-des-prix-du-patrimoine-2019-mrc-nouvelle-beauce-devoiles |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2021 Les lieux enchantés du Parc Taschereau, publié aux Éditions de la Roupille, 96 pages, {{ISBN|978-2-924304-45-7}}<ref>{{Lien web |langue=fr-CA |titre=Des guides accrédités pour découvrir la Beauce |url=https://www.leclaireurprogres.ca/des-guides-accredites-pour-decouvrir-la-beauce/ |site=L'Éclaireur Progrès |date=2021-03-11 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-FR |prénom=Antoine |nom=Desrosiers |titre=Journée internationale des droits des femmes: huit femmes qui ont marqué Sainte-Marie à leur façon |url=https://mabeauce.com/journee-internationale-des-droits-des-femmes-huit-femmes-qui-ont-marque-sainte-marie-a-leur-facon/ |site=Ma Beauce |date=2021-03-08 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=en |titre=Conférence - L'écriture sa passion avec Raymond Beaudet à l'Éco-refuge du Domaine Taschereau -10$/p. - Sainte-Marie, 2021-06-29 |url=https://ca.datescloud.com/conference-lecriture-sa-passion-avec-raymond-beaudet-a-leco-sainte-marie-305685960.html |site=dates.cloud |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-FR |titre=Visites guidées et groupes touristiques {{!}} Domaine Taschereau |url=http://www.domainetaschereau.com/?page_id=634 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |titre=Se connecter à Facebook |url=https://www.facebook.com/ |site=Facebook |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les Lieux enchantés du parc Taschereau : des contes qui prennent vie |url=https://www.enbeauce.com/actualites/culturel/437952/les-lieux-enchantes-du-parc-taschereau-des-contes-qui-prennent-vie |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*2021 Normand Maurice, père de la récupération au Québec, biographie publiée aux Éditions de la Roupille, 176 pages, {{ISBN|978-2-924304-39-6}}<ref>{{Lien web |langue=fr-CA |titre=Un livre neuf pour le père de la récupération |url=http://www.beaucemedia.ca/2021/06/25/un-livre-neuf-pour-le-pere-de-la-recuperation/ |site=Beauce Média |date=2021-06-25 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |prénom=Raymond |nom=Beaudet |titre=Normand Maurice : père de la récupération au Québec par Raymond Beaudet {{!}} Biographies {{!}} Gens d'affaire {{!}} Leslibraires.ca |url=https://www.leslibraires.ca/livres/normand-maurice-pere-de-la-recuperation-raymond-beaudet-9782924304396.html |site=www.leslibraires.ca |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-FR |titre=Réseau CFER » Lancement du livre sur Normand Maurice |url=https://reseaucfer.ca/nouvelles/lancement-du-livre-sur-normand-maurice/ |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Ouvrage|langue=en|titre=Normand Maurice, père de la récupération au Québec par BEAUDET, RAYMOND|lire en ligne=http://www.renaud-bray.com/Livres_Produit.aspx?id=3353354&def=Normand+Maurice%2c+p%c3%a8re+de+la+r%c3%a9cup%c3%a9ration+au+Qu%c3%a9bec%2cBEAUDET%2c+RAYMOND%2c9782924304396&utm_campaign=partage-réseaux-sociaux&utm_medium=réseaux-sociaux&utm_source=facebook-like|consulté le=2022-02-08}}</ref>. +*2021 Le bonheur, chroniques d'une vie à la campagne, publié aux Éditions de la Roupille, 270 pages {{ISBN|978-2-924304-40-2}}<ref>{{Lien web |langue=fr |prénom=Hélène |nom=Moore |titre=Le bonheur. Chroniques d’une vie à la campagne par Raymond Beaudet, Hélène Moore {{!}} Biographies {{!}} Faits vécus/Bio divers {{!}} Leslibraires.ca |url=https://www.leslibraires.ca/livres/le-bonheur-chroniques-d-une-vie-raymond-beaudet-9782924304402.html |site=www.leslibraires.ca |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-ca |prénom=Cool 103,5 |nom=FM |titre="Le bonheur" 6ième ouvrage de l'auteur Raymond Beaudet |url=https://www.coolfm.biz/nouvelle/5205--le-bonheur-6ieme-ouvrage-de-l-auteur-raymond-beaudet |site=Cool 103,5 FM |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-FR |prénom=Antoine |nom=Desrosiers |titre=Un sixième ouvrage pour l'auteur Raymond Beaudet de Sainte-Marie |url=https://mabeauce.com/un-sixieme-ouvrage-pour-lauteur-raymond-beaudet-de-sainte-marie/ |site=Ma Beauce |date=2021-02-25 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=ne |titre=Le bonheur, par Raymond BEAUDET et Hélène MOORE |url=https://ne-np.facebook.com/laroupille/videos/531892437783096/ |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |titre=L'écrivain... - Éditions La Roupille, Service d'édition |url=https://www.facebook.com/laroupille/videos/772815796737521/ |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=hi |titre=BIBLIOTHÈQUE {{!}} « Le bonheur :... - Ville de Sainte-Marie |url=https://hi-in.facebook.com/villesaintemarie/videos/128982392487598/ |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-CA |titre=Trouver le bonheur à la campagne |url=http://www.beaucemedia.ca/2021/02/24/trouver-le-bonheur-a-la-campagne/ |site=Beauce Média |date=2021-02-24 |consulté le=2022-02-08}}</ref>. +*2020 En décide de vendre, nouvelle parue dans Les Écrits mariverains 2020, {{ISBN|978-2-9810768-2-3}}<ref name=":0" />. + +*2019: +** Tableaux et portraits mariverains, Capsules historiques, {{ISBN|978-2-9810768-2-3}}<ref>{{Lien web |langue=th |titre=เข้าสู่ระบบ Facebook |url=https://th-th.facebook.com/login/?next=https%3A%2F%2Fth-th.facebook.com%2Fcheqfm%2Fposts%2F3625148174272475%2F |site=Facebook |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=ms |titre=LES 1001 MÉTIERS DE LA CULTURE {{!}} M. Raymond Beaudet |url=https://ms-my.facebook.com/villesaintemarie/videos/327787105117018/ |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-CA |titre=Des guides accrédités pour découvrir la Beauce |url=http://www.beaucemedia.ca/2021/03/11/des-guides-accredites-pour-decouvrir-la-beauce/ |site=Beauce Média |date=2021-03-11 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |titre=Chronique à Raymond {{!}} Mon site web |url=https://genealogiestemarie.ca/chronique-a-raymond |site=genealogiestemarie.ca |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-FR |titre=Capsules historiques |url=https://www.sainte-marie.ca/loisirs-culture/programmation/275e-anniversaire-capsules-historiques/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +** Carnet d'un passager clandestin, nouvelle parue dans Les Écrits Mariverains 2019, {{ISBN|978-2-9810768-0-9}}<ref name=":0">{{Lien web |langue=fr-FR |titre=Écrits mariverains |url=https://www.sainte-marie.ca/loisirs-culture/ecrits-mariverains/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +** Voix de dépassement, scénario du spectacle de la Corporation des Instrumentistes Associés<ref name=":1">{{Lien web |langue=fr-CA |titre=La CIA célébrera son 10e anniversaire le 15 avril |url=http://www.beaucemedia.ca/2021/11/25/la-cia-celebrera-son-10e-anniversaire-le-15-avril/ |site=Beauce Média |date=2021-11-25 |consulté le=2022-02-08}}</ref>. +*2018 +** Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, {{ISBN|978-2-9809683-9-6}}<ref name=":0" />. +** La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés<ref name=":1" />. +** La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 +** L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}}<ref name=":0" />. +** Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 +** Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016<ref>{{Lien web |langue=fr-CA |titre=La twittérature est victorieuse à Sainte-Marie |url=https://www.beaucemedia.ca/2016/05/20/la-twitterature-est-victorieuse-a-sainte-marie/ |site=Beauce Média |date=2016-05-20 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=La twittérature s'invite au CFER de Beauce à Sainte-Marie |url=https://www.enbeauce.com/actualites/culturel/305797/la-twitterature-sinvite-au-cfer-de-beauce-a-sainte-marie |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +** Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}}<ref name=":0" />. +** La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage: le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}}<ref name=":0" />. +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014, 26 juin, TEDx Sainte-Marie, La paternelle<ref>{{Lien web |langue=fr-FR |titre=La paternelle {{!}} Raymond Beaudet {{!}} TEDxSainteMarie |url=https://www.youtube.com/watch?v=wGqQ2FS-P-A |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=TEDx Sainte-Marie dévoile le nom de trois conférenciers |url=https://www.enbeauce.com/actualites/societe/125807/tedx-sainte-marie-devoile-le-nom-de-trois-conferenciers |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}}<ref name=":0" />. +*2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}}<ref>{{Ouvrage|langue=en|titre=Carapaces par BEAUDET, RAYMOND|lire en ligne=http://www.renaud-bray.com/Livres_Produit.aspx?id=1531849&def=Carapaces%2cBEAUDET%2c+RAYMOND%2c9782923706634&utm_campaign=partage-réseaux-sociaux&utm_medium=réseaux-sociaux&utm_source=facebook-like|consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |titre=http://biblio.villemontlaurier.qc.ca/in/faces/details.xhtml?id=p%3A%3Ausmarcdef_0000064212 |url=http://biblio.villemontlaurier.qc.ca/in/faces/details.xhtml?id=p%3A%3Ausmarcdef_0000064212 |site=biblio.villemontlaurier.qc.ca |consulté le=2022-02-08}}</ref>. +*2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=La CIA présente En quête de commissions à la Méchatigan |url=https://www.enbeauce.com/actualites/culturel/25305/la-cia-presente-en-quete-de-commissions-a-la-mechatigan |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}}<ref name=":0" />. +*2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}}<ref name=":0" />. +*2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2012 Finaliste dans deux concours de Zone d’écriture de [[Société Radio-Canada|Radio-Canada]] en twittérature. +*2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}}<ref name=":0" />. +*2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. Ocus Pocus Production. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}}<ref name=":0" />. +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009<ref name=":0" />. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}}<ref>{{Lien web |langue=fr-FR |titre=Raymond Beaudet |url=https://www.sainte-marie.ca/repertoire_culturel/raymond-beaudet/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}}<ref>{{Lien web |langue=fr-FR |titre=Raymond Beaudet |url=https://www.sainte-marie.ca/repertoire_culturel/raymond-beaudet/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche)<ref>{{Lien web |langue=en |titre=PASSEPORT POUR LA LIBERTE. ROMAN by RAYMOND BEAUDET: bon Couverture souple (1988) {{!}} Le-Livre |url=https://www.abebooks.com/9782864770886/PASSEPORT-LIBERTE-ROMAN-RAYMOND-BEAUDET-2864770881/plp |site=www.abebooks.com |consulté le=2022-02-08}}</ref>. +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}<ref>{{Lien web |titre=Raymond Beaudet |url=https://www.goodreads.com/author/show/1956588.Raymond_Beaudet |site=www.goodreads.com |consulté le=2022-02-08}}</ref>. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce de théâtre montée par la troupe de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} +== Liens externes == +* {{Liens biographiques}} + +{{Portail|Québec|littérature}} + +{{CLEDETRI:Beaudet, Raymond}} +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] +[[Catégorie:Naissance en 1950]] + a2pct8gy31cl2cng9iylj5mlwfjaiw2 + + + 194244595 + 192971746 + 2022-06-04T07:12:28Z + + Ange Gabriel + 263831 + + + v2.04 - [[P:CS|Correction syntaxique]] (Référence en double) + wikitext + text/x-wiki + {{voir homonymes|Beaudet}} +{{Infobox Biographie2}} +'''Raymond Beaudet''' (Québec 1950 - ) est un écrivain et un scénariste [[Québec|québécois]]<ref>[https://www.sainte-marie.ca/repertoire_culturel/raymond-beaudet sainte-marie.ca]/</ref>. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon).Il est l’auteur de 5 romans, d’un essai, d'une biographie, d'un recueil de contes, d’une trentaine de scénarios, de plusieurs nouvelles et capsules historiques, de même que de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]<ref>{{Lien web |langue=fr |titre=https://twitter.com/raymondbeaudet |url=https://twitter.com/raymondbeaudet |site=Twitter |consulté le=2022-02-08}}</ref>. + +== Honneurs == +*[https://www.prixdupatrimoine.ca Prix du Patrimoine] (2019) Catégorie Interprétation et Diffusion<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les lauréats du Prix du patrimoine de Nouvelle-Beauce sont dévoilés |url=https://www.enbeauce.com/actualites/culturel/21829/les-laureats-du-prix-du-patrimoine-de-nouvelle-beauce-sont-devoiles |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*Prix coup de cœur du jury au Concours de twittérature du [https://francophoniedesameriques.com Centre de la Francophonie des Amériques] 2016 +* [https://www.prixdupatrimoine.ca Prix du Patrimoine] (2011) Catégorie Interprétation et Diffusion<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les lauréats des Prix du patrimoine 2019 MRC Nouvelle-Beauce dévoilés |url=https://www.enbeauce.com/actualites/culturel/364234/les-laureats-des-prix-du-patrimoine-2019-mrc-nouvelle-beauce-devoiles |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2021 Les lieux enchantés du Parc Taschereau, publié aux Éditions de la Roupille, 96 pages, {{ISBN|978-2-924304-45-7}}<ref>{{Lien web |langue=fr-CA |titre=Des guides accrédités pour découvrir la Beauce |url=https://www.leclaireurprogres.ca/des-guides-accredites-pour-decouvrir-la-beauce/ |site=L'Éclaireur Progrès |date=2021-03-11 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-FR |prénom=Antoine |nom=Desrosiers |titre=Journée internationale des droits des femmes: huit femmes qui ont marqué Sainte-Marie à leur façon |url=https://mabeauce.com/journee-internationale-des-droits-des-femmes-huit-femmes-qui-ont-marque-sainte-marie-a-leur-facon/ |site=Ma Beauce |date=2021-03-08 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=en |titre=Conférence - L'écriture sa passion avec Raymond Beaudet à l'Éco-refuge du Domaine Taschereau -10$/p. - Sainte-Marie, 2021-06-29 |url=https://ca.datescloud.com/conference-lecriture-sa-passion-avec-raymond-beaudet-a-leco-sainte-marie-305685960.html |site=dates.cloud |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-FR |titre=Visites guidées et groupes touristiques {{!}} Domaine Taschereau |url=http://www.domainetaschereau.com/?page_id=634 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |titre=Se connecter à Facebook |url=https://www.facebook.com/ |site=Facebook |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les Lieux enchantés du parc Taschereau : des contes qui prennent vie |url=https://www.enbeauce.com/actualites/culturel/437952/les-lieux-enchantes-du-parc-taschereau-des-contes-qui-prennent-vie |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*2021 Normand Maurice, père de la récupération au Québec, biographie publiée aux Éditions de la Roupille, 176 pages, {{ISBN|978-2-924304-39-6}}<ref>{{Lien web |langue=fr-CA |titre=Un livre neuf pour le père de la récupération |url=http://www.beaucemedia.ca/2021/06/25/un-livre-neuf-pour-le-pere-de-la-recuperation/ |site=Beauce Média |date=2021-06-25 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |prénom=Raymond |nom=Beaudet |titre=Normand Maurice : père de la récupération au Québec par Raymond Beaudet {{!}} Biographies {{!}} Gens d'affaire {{!}} Leslibraires.ca |url=https://www.leslibraires.ca/livres/normand-maurice-pere-de-la-recuperation-raymond-beaudet-9782924304396.html |site=www.leslibraires.ca |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-FR |titre=Réseau CFER » Lancement du livre sur Normand Maurice |url=https://reseaucfer.ca/nouvelles/lancement-du-livre-sur-normand-maurice/ |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Ouvrage|langue=en|titre=Normand Maurice, père de la récupération au Québec par BEAUDET, RAYMOND|lire en ligne=http://www.renaud-bray.com/Livres_Produit.aspx?id=3353354&def=Normand+Maurice%2c+p%c3%a8re+de+la+r%c3%a9cup%c3%a9ration+au+Qu%c3%a9bec%2cBEAUDET%2c+RAYMOND%2c9782924304396&utm_campaign=partage-réseaux-sociaux&utm_medium=réseaux-sociaux&utm_source=facebook-like|consulté le=2022-02-08}}</ref>. +*2021 Le bonheur, chroniques d'une vie à la campagne, publié aux Éditions de la Roupille, 270 pages {{ISBN|978-2-924304-40-2}}<ref>{{Lien web |langue=fr |prénom=Hélène |nom=Moore |titre=Le bonheur. Chroniques d’une vie à la campagne par Raymond Beaudet, Hélène Moore {{!}} Biographies {{!}} Faits vécus/Bio divers {{!}} Leslibraires.ca |url=https://www.leslibraires.ca/livres/le-bonheur-chroniques-d-une-vie-raymond-beaudet-9782924304402.html |site=www.leslibraires.ca |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-ca |prénom=Cool 103,5 |nom=FM |titre="Le bonheur" 6ième ouvrage de l'auteur Raymond Beaudet |url=https://www.coolfm.biz/nouvelle/5205--le-bonheur-6ieme-ouvrage-de-l-auteur-raymond-beaudet |site=Cool 103,5 FM |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-FR |prénom=Antoine |nom=Desrosiers |titre=Un sixième ouvrage pour l'auteur Raymond Beaudet de Sainte-Marie |url=https://mabeauce.com/un-sixieme-ouvrage-pour-lauteur-raymond-beaudet-de-sainte-marie/ |site=Ma Beauce |date=2021-02-25 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=ne |titre=Le bonheur, par Raymond BEAUDET et Hélène MOORE |url=https://ne-np.facebook.com/laroupille/videos/531892437783096/ |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |titre=L'écrivain... - Éditions La Roupille, Service d'édition |url=https://www.facebook.com/laroupille/videos/772815796737521/ |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=hi |titre=BIBLIOTHÈQUE {{!}} « Le bonheur :... - Ville de Sainte-Marie |url=https://hi-in.facebook.com/villesaintemarie/videos/128982392487598/ |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-CA |titre=Trouver le bonheur à la campagne |url=http://www.beaucemedia.ca/2021/02/24/trouver-le-bonheur-a-la-campagne/ |site=Beauce Média |date=2021-02-24 |consulté le=2022-02-08}}</ref>. +*2020 En décide de vendre, nouvelle parue dans Les Écrits mariverains 2020, {{ISBN|978-2-9810768-2-3}}<ref name=":0" />. + +*2019: +** Tableaux et portraits mariverains, Capsules historiques, {{ISBN|978-2-9810768-2-3}}<ref>{{Lien web |langue=th |titre=เข้าสู่ระบบ Facebook |url=https://th-th.facebook.com/login/?next=https%3A%2F%2Fth-th.facebook.com%2Fcheqfm%2Fposts%2F3625148174272475%2F |site=Facebook |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=ms |titre=LES 1001 MÉTIERS DE LA CULTURE {{!}} M. Raymond Beaudet |url=https://ms-my.facebook.com/villesaintemarie/videos/327787105117018/ |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-CA |titre=Des guides accrédités pour découvrir la Beauce |url=http://www.beaucemedia.ca/2021/03/11/des-guides-accredites-pour-decouvrir-la-beauce/ |site=Beauce Média |date=2021-03-11 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |titre=Chronique à Raymond {{!}} Mon site web |url=https://genealogiestemarie.ca/chronique-a-raymond |site=genealogiestemarie.ca |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-FR |titre=Capsules historiques |url=https://www.sainte-marie.ca/loisirs-culture/programmation/275e-anniversaire-capsules-historiques/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +** Carnet d'un passager clandestin, nouvelle parue dans Les Écrits Mariverains 2019, {{ISBN|978-2-9810768-0-9}}<ref name=":0">{{Lien web |langue=fr-FR |titre=Écrits mariverains |url=https://www.sainte-marie.ca/loisirs-culture/ecrits-mariverains/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +** Voix de dépassement, scénario du spectacle de la Corporation des Instrumentistes Associés<ref name=":1">{{Lien web |langue=fr-CA |titre=La CIA célébrera son 10e anniversaire le 15 avril |url=http://www.beaucemedia.ca/2021/11/25/la-cia-celebrera-son-10e-anniversaire-le-15-avril/ |site=Beauce Média |date=2021-11-25 |consulté le=2022-02-08}}</ref>. +*2018 +** Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, {{ISBN|978-2-9809683-9-6}}<ref name=":0" />. +** La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés<ref name=":1" />. +** La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 +** L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}}<ref name=":0" />. +** Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 +** Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016<ref>{{Lien web |langue=fr-CA |titre=La twittérature est victorieuse à Sainte-Marie |url=https://www.beaucemedia.ca/2016/05/20/la-twitterature-est-victorieuse-a-sainte-marie/ |site=Beauce Média |date=2016-05-20 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=La twittérature s'invite au CFER de Beauce à Sainte-Marie |url=https://www.enbeauce.com/actualites/culturel/305797/la-twitterature-sinvite-au-cfer-de-beauce-a-sainte-marie |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +** Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}}<ref name=":0" />. +** La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage: le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}}<ref name=":0" />. +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014, 26 juin, TEDx Sainte-Marie, La paternelle<ref>{{Lien web |langue=fr-FR |titre=La paternelle {{!}} Raymond Beaudet {{!}} TEDxSainteMarie |url=https://www.youtube.com/watch?v=wGqQ2FS-P-A |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=TEDx Sainte-Marie dévoile le nom de trois conférenciers |url=https://www.enbeauce.com/actualites/societe/125807/tedx-sainte-marie-devoile-le-nom-de-trois-conferenciers |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}}<ref name=":0" />. +*2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}}<ref>{{Ouvrage|langue=en|titre=Carapaces par BEAUDET, RAYMOND|lire en ligne=http://www.renaud-bray.com/Livres_Produit.aspx?id=1531849&def=Carapaces%2cBEAUDET%2c+RAYMOND%2c9782923706634&utm_campaign=partage-réseaux-sociaux&utm_medium=réseaux-sociaux&utm_source=facebook-like|consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |titre=http://biblio.villemontlaurier.qc.ca/in/faces/details.xhtml?id=p%3A%3Ausmarcdef_0000064212 |url=http://biblio.villemontlaurier.qc.ca/in/faces/details.xhtml?id=p%3A%3Ausmarcdef_0000064212 |site=biblio.villemontlaurier.qc.ca |consulté le=2022-02-08}}</ref>. +*2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=La CIA présente En quête de commissions à la Méchatigan |url=https://www.enbeauce.com/actualites/culturel/25305/la-cia-presente-en-quete-de-commissions-a-la-mechatigan |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}}<ref name=":0" />. +*2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}}<ref name=":0" />. +*2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2012 Finaliste dans deux concours de Zone d’écriture de [[Société Radio-Canada|Radio-Canada]] en twittérature. +*2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}}<ref name=":0" />. +*2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. Ocus Pocus Production. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}}<ref name=":0" />. +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009<ref name=":0" />. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}}<ref name="d9">{{Lien web |langue=fr-FR |titre=Raymond Beaudet |url=https://www.sainte-marie.ca/repertoire_culturel/raymond-beaudet/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}}<ref name="d9" />. +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche)<ref>{{Lien web |langue=en |titre=PASSEPORT POUR LA LIBERTE. ROMAN by RAYMOND BEAUDET: bon Couverture souple (1988) {{!}} Le-Livre |url=https://www.abebooks.com/9782864770886/PASSEPORT-LIBERTE-ROMAN-RAYMOND-BEAUDET-2864770881/plp |site=www.abebooks.com |consulté le=2022-02-08}}</ref>. +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}<ref>{{Lien web |titre=Raymond Beaudet |url=https://www.goodreads.com/author/show/1956588.Raymond_Beaudet |site=www.goodreads.com |consulté le=2022-02-08}}</ref>. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce de théâtre montée par la troupe de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} +== Liens externes == +* {{Liens biographiques}} + +{{Portail|Québec|littérature}} + +{{CLEDETRI:Beaudet, Raymond}} +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] +[[Catégorie:Naissance en 1950]] + 4lurt78z7g25uswavb40kkclo4li695 + + + 196122612 + 194244595 + 2022-08-14T23:03:40Z + + 80.215.130.232 + + Liens ajoutés + wikitext + text/x-wiki + {{voir homonymes|Beaudet}} +{{Infobox Biographie2}} +'''Raymond Beaudet''' (Québec 1950 - ) est un [[écrivain]] et [[scénariste]] [[Québec|québécois]]<ref>[https://www.sainte-marie.ca/repertoire_culturel/raymond-beaudet sainte-marie.ca]/</ref>. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon).Il est l’auteur de 5 romans, d’un essai, d'une biographie, d'un recueil de contes, d’une trentaine de scénarios, de plusieurs nouvelles et capsules historiques, de même que de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]<ref>{{Lien web |langue=fr |titre=https://twitter.com/raymondbeaudet |url=https://twitter.com/raymondbeaudet |site=Twitter |consulté le=2022-02-08}}</ref>. + +== Honneurs == +*[https://www.prixdupatrimoine.ca Prix du Patrimoine] (2019) Catégorie Interprétation et Diffusion<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les lauréats du Prix du patrimoine de Nouvelle-Beauce sont dévoilés |url=https://www.enbeauce.com/actualites/culturel/21829/les-laureats-du-prix-du-patrimoine-de-nouvelle-beauce-sont-devoiles |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*Prix coup de cœur du jury au Concours de twittérature du [https://francophoniedesameriques.com Centre de la Francophonie des Amériques] 2016 +* [https://www.prixdupatrimoine.ca Prix du Patrimoine] (2011) Catégorie Interprétation et Diffusion<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les lauréats des Prix du patrimoine 2019 MRC Nouvelle-Beauce dévoilés |url=https://www.enbeauce.com/actualites/culturel/364234/les-laureats-des-prix-du-patrimoine-2019-mrc-nouvelle-beauce-devoiles |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2021 Les lieux enchantés du Parc Taschereau, publié aux Éditions de la Roupille, 96 pages, {{ISBN|978-2-924304-45-7}}<ref>{{Lien web |langue=fr-CA |titre=Des guides accrédités pour découvrir la Beauce |url=https://www.leclaireurprogres.ca/des-guides-accredites-pour-decouvrir-la-beauce/ |site=L'Éclaireur Progrès |date=2021-03-11 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-FR |prénom=Antoine |nom=Desrosiers |titre=Journée internationale des droits des femmes: huit femmes qui ont marqué Sainte-Marie à leur façon |url=https://mabeauce.com/journee-internationale-des-droits-des-femmes-huit-femmes-qui-ont-marque-sainte-marie-a-leur-facon/ |site=Ma Beauce |date=2021-03-08 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=en |titre=Conférence - L'écriture sa passion avec Raymond Beaudet à l'Éco-refuge du Domaine Taschereau -10$/p. - Sainte-Marie, 2021-06-29 |url=https://ca.datescloud.com/conference-lecriture-sa-passion-avec-raymond-beaudet-a-leco-sainte-marie-305685960.html |site=dates.cloud |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-FR |titre=Visites guidées et groupes touristiques {{!}} Domaine Taschereau |url=http://www.domainetaschereau.com/?page_id=634 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |titre=Se connecter à Facebook |url=https://www.facebook.com/ |site=Facebook |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les Lieux enchantés du parc Taschereau : des contes qui prennent vie |url=https://www.enbeauce.com/actualites/culturel/437952/les-lieux-enchantes-du-parc-taschereau-des-contes-qui-prennent-vie |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*2021 Normand Maurice, père de la récupération au Québec, biographie publiée aux Éditions de la Roupille, 176 pages, {{ISBN|978-2-924304-39-6}}<ref>{{Lien web |langue=fr-CA |titre=Un livre neuf pour le père de la récupération |url=http://www.beaucemedia.ca/2021/06/25/un-livre-neuf-pour-le-pere-de-la-recuperation/ |site=Beauce Média |date=2021-06-25 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |prénom=Raymond |nom=Beaudet |titre=Normand Maurice : père de la récupération au Québec par Raymond Beaudet {{!}} Biographies {{!}} Gens d'affaire {{!}} Leslibraires.ca |url=https://www.leslibraires.ca/livres/normand-maurice-pere-de-la-recuperation-raymond-beaudet-9782924304396.html |site=www.leslibraires.ca |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-FR |titre=Réseau CFER » Lancement du livre sur Normand Maurice |url=https://reseaucfer.ca/nouvelles/lancement-du-livre-sur-normand-maurice/ |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Ouvrage|langue=en|titre=Normand Maurice, père de la récupération au Québec par BEAUDET, RAYMOND|lire en ligne=http://www.renaud-bray.com/Livres_Produit.aspx?id=3353354&def=Normand+Maurice%2c+p%c3%a8re+de+la+r%c3%a9cup%c3%a9ration+au+Qu%c3%a9bec%2cBEAUDET%2c+RAYMOND%2c9782924304396&utm_campaign=partage-réseaux-sociaux&utm_medium=réseaux-sociaux&utm_source=facebook-like|consulté le=2022-02-08}}</ref>. +*2021 Le bonheur, chroniques d'une vie à la campagne, publié aux Éditions de la Roupille, 270 pages {{ISBN|978-2-924304-40-2}}<ref>{{Lien web |langue=fr |prénom=Hélène |nom=Moore |titre=Le bonheur. Chroniques d’une vie à la campagne par Raymond Beaudet, Hélène Moore {{!}} Biographies {{!}} Faits vécus/Bio divers {{!}} Leslibraires.ca |url=https://www.leslibraires.ca/livres/le-bonheur-chroniques-d-une-vie-raymond-beaudet-9782924304402.html |site=www.leslibraires.ca |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-ca |prénom=Cool 103,5 |nom=FM |titre="Le bonheur" 6ième ouvrage de l'auteur Raymond Beaudet |url=https://www.coolfm.biz/nouvelle/5205--le-bonheur-6ieme-ouvrage-de-l-auteur-raymond-beaudet |site=Cool 103,5 FM |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-FR |prénom=Antoine |nom=Desrosiers |titre=Un sixième ouvrage pour l'auteur Raymond Beaudet de Sainte-Marie |url=https://mabeauce.com/un-sixieme-ouvrage-pour-lauteur-raymond-beaudet-de-sainte-marie/ |site=Ma Beauce |date=2021-02-25 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=ne |titre=Le bonheur, par Raymond BEAUDET et Hélène MOORE |url=https://ne-np.facebook.com/laroupille/videos/531892437783096/ |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |titre=L'écrivain... - Éditions La Roupille, Service d'édition |url=https://www.facebook.com/laroupille/videos/772815796737521/ |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=hi |titre=BIBLIOTHÈQUE {{!}} « Le bonheur :... - Ville de Sainte-Marie |url=https://hi-in.facebook.com/villesaintemarie/videos/128982392487598/ |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-CA |titre=Trouver le bonheur à la campagne |url=http://www.beaucemedia.ca/2021/02/24/trouver-le-bonheur-a-la-campagne/ |site=Beauce Média |date=2021-02-24 |consulté le=2022-02-08}}</ref>. +*2020 En décide de vendre, nouvelle parue dans Les Écrits mariverains 2020, {{ISBN|978-2-9810768-2-3}}<ref name=":0" />. + +*2019: +** Tableaux et portraits mariverains, Capsules historiques, {{ISBN|978-2-9810768-2-3}}<ref>{{Lien web |langue=th |titre=เข้าสู่ระบบ Facebook |url=https://th-th.facebook.com/login/?next=https%3A%2F%2Fth-th.facebook.com%2Fcheqfm%2Fposts%2F3625148174272475%2F |site=Facebook |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=ms |titre=LES 1001 MÉTIERS DE LA CULTURE {{!}} M. Raymond Beaudet |url=https://ms-my.facebook.com/villesaintemarie/videos/327787105117018/ |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-CA |titre=Des guides accrédités pour découvrir la Beauce |url=http://www.beaucemedia.ca/2021/03/11/des-guides-accredites-pour-decouvrir-la-beauce/ |site=Beauce Média |date=2021-03-11 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |titre=Chronique à Raymond {{!}} Mon site web |url=https://genealogiestemarie.ca/chronique-a-raymond |site=genealogiestemarie.ca |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-FR |titre=Capsules historiques |url=https://www.sainte-marie.ca/loisirs-culture/programmation/275e-anniversaire-capsules-historiques/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +** Carnet d'un passager clandestin, nouvelle parue dans Les Écrits Mariverains 2019, {{ISBN|978-2-9810768-0-9}}<ref name=":0">{{Lien web |langue=fr-FR |titre=Écrits mariverains |url=https://www.sainte-marie.ca/loisirs-culture/ecrits-mariverains/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +** Voix de dépassement, scénario du spectacle de la Corporation des Instrumentistes Associés<ref name=":1">{{Lien web |langue=fr-CA |titre=La CIA célébrera son 10e anniversaire le 15 avril |url=http://www.beaucemedia.ca/2021/11/25/la-cia-celebrera-son-10e-anniversaire-le-15-avril/ |site=Beauce Média |date=2021-11-25 |consulté le=2022-02-08}}</ref>. +*2018 +** Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, {{ISBN|978-2-9809683-9-6}}<ref name=":0" />. +** La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés<ref name=":1" />. +** La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 +** L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}}<ref name=":0" />. +** Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 +** Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016<ref>{{Lien web |langue=fr-CA |titre=La twittérature est victorieuse à Sainte-Marie |url=https://www.beaucemedia.ca/2016/05/20/la-twitterature-est-victorieuse-a-sainte-marie/ |site=Beauce Média |date=2016-05-20 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=La twittérature s'invite au CFER de Beauce à Sainte-Marie |url=https://www.enbeauce.com/actualites/culturel/305797/la-twitterature-sinvite-au-cfer-de-beauce-a-sainte-marie |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +** Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}}<ref name=":0" />. +** La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage: le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}}<ref name=":0" />. +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014, 26 juin, TEDx Sainte-Marie, La paternelle<ref>{{Lien web |langue=fr-FR |titre=La paternelle {{!}} Raymond Beaudet {{!}} TEDxSainteMarie |url=https://www.youtube.com/watch?v=wGqQ2FS-P-A |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=TEDx Sainte-Marie dévoile le nom de trois conférenciers |url=https://www.enbeauce.com/actualites/societe/125807/tedx-sainte-marie-devoile-le-nom-de-trois-conferenciers |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}}<ref name=":0" />. +*2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}}<ref>{{Ouvrage|langue=en|titre=Carapaces par BEAUDET, RAYMOND|lire en ligne=http://www.renaud-bray.com/Livres_Produit.aspx?id=1531849&def=Carapaces%2cBEAUDET%2c+RAYMOND%2c9782923706634&utm_campaign=partage-réseaux-sociaux&utm_medium=réseaux-sociaux&utm_source=facebook-like|consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |titre=http://biblio.villemontlaurier.qc.ca/in/faces/details.xhtml?id=p%3A%3Ausmarcdef_0000064212 |url=http://biblio.villemontlaurier.qc.ca/in/faces/details.xhtml?id=p%3A%3Ausmarcdef_0000064212 |site=biblio.villemontlaurier.qc.ca |consulté le=2022-02-08}}</ref>. +*2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=La CIA présente En quête de commissions à la Méchatigan |url=https://www.enbeauce.com/actualites/culturel/25305/la-cia-presente-en-quete-de-commissions-a-la-mechatigan |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}}<ref name=":0" />. +*2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}}<ref name=":0" />. +*2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2012 Finaliste dans deux concours de Zone d’écriture de [[Société Radio-Canada|Radio-Canada]] en twittérature. +*2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}}<ref name=":0" />. +*2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. Ocus Pocus Production. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}}<ref name=":0" />. +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009<ref name=":0" />. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}}<ref name="d9">{{Lien web |langue=fr-FR |titre=Raymond Beaudet |url=https://www.sainte-marie.ca/repertoire_culturel/raymond-beaudet/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}}<ref name="d9" />. +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche)<ref>{{Lien web |langue=en |titre=PASSEPORT POUR LA LIBERTE. ROMAN by RAYMOND BEAUDET: bon Couverture souple (1988) {{!}} Le-Livre |url=https://www.abebooks.com/9782864770886/PASSEPORT-LIBERTE-ROMAN-RAYMOND-BEAUDET-2864770881/plp |site=www.abebooks.com |consulté le=2022-02-08}}</ref>. +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}<ref>{{Lien web |titre=Raymond Beaudet |url=https://www.goodreads.com/author/show/1956588.Raymond_Beaudet |site=www.goodreads.com |consulté le=2022-02-08}}</ref>. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce de théâtre montée par la troupe de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} +== Liens externes == +* {{Liens biographiques}} + +{{Portail|Québec|littérature}} + +{{CLEDETRI:Beaudet, Raymond}} +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] +[[Catégorie:Naissance en 1950]] + cu6ayyqtb37qq2pfzv87cpyw6m9ppva + + + 196447925 + 196122612 + 2022-08-26T17:34:14Z + + Cephas + 219201 + + + Catégorie + wikitext + text/x-wiki + {{voir homonymes|Beaudet}} +{{Infobox Biographie2}} +'''Raymond Beaudet''' (Québec 1950 - ) est un [[écrivain]] et [[scénariste]] [[Québec|québécois]]<ref>[https://www.sainte-marie.ca/repertoire_culturel/raymond-beaudet sainte-marie.ca]/</ref>. Détenteur d’une maîtrise en [[philosophie]] de l’[[Université Laval]] (1975) on le retrouve successivement enseignant, syndicaliste, secrétaire particulier du Ministre des Richesses Naturelles, [[Yves Bérubé]], directeur d’école primaire et directeur d’école secondaire (Polyvalente Benoît-Vachon).Il est l’auteur de 5 romans, d’un essai, d'une biographie, d'un recueil de contes, d’une trentaine de scénarios, de plusieurs nouvelles et capsules historiques, de même que de trois pièces de théâtre. Depuis 2014, il est actif en [[twittérature]]<ref>{{Lien web |langue=fr |titre=https://twitter.com/raymondbeaudet |url=https://twitter.com/raymondbeaudet |site=Twitter |consulté le=2022-02-08}}</ref>. + +== Honneurs == +*[https://www.prixdupatrimoine.ca Prix du Patrimoine] (2019) Catégorie Interprétation et Diffusion<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les lauréats du Prix du patrimoine de Nouvelle-Beauce sont dévoilés |url=https://www.enbeauce.com/actualites/culturel/21829/les-laureats-du-prix-du-patrimoine-de-nouvelle-beauce-sont-devoiles |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*Prix coup de cœur du jury au Concours de twittérature du [https://francophoniedesameriques.com Centre de la Francophonie des Amériques] 2016 +* [https://www.prixdupatrimoine.ca Prix du Patrimoine] (2011) Catégorie Interprétation et Diffusion<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les lauréats des Prix du patrimoine 2019 MRC Nouvelle-Beauce dévoilés |url=https://www.enbeauce.com/actualites/culturel/364234/les-laureats-des-prix-du-patrimoine-2019-mrc-nouvelle-beauce-devoiles |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +* [[Prix Robert-Cliche]] ([[1988]]), ''Passeport pour la liberté''<ref>{{lien web | url=http://www.edvlb.com/prixrobertcliche/laureats.aspx | titre=Lauréats du prix Robert-Cliche | consulté le=24 juin 2011}}</ref> +* Prix Corpo-vision (1992) +* Prix Adate (1993) + +== Bibliographie == +*2021 Les lieux enchantés du Parc Taschereau, publié aux Éditions de la Roupille, 96 pages, {{ISBN|978-2-924304-45-7}}<ref>{{Lien web |langue=fr-CA |titre=Des guides accrédités pour découvrir la Beauce |url=https://www.leclaireurprogres.ca/des-guides-accredites-pour-decouvrir-la-beauce/ |site=L'Éclaireur Progrès |date=2021-03-11 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-FR |prénom=Antoine |nom=Desrosiers |titre=Journée internationale des droits des femmes: huit femmes qui ont marqué Sainte-Marie à leur façon |url=https://mabeauce.com/journee-internationale-des-droits-des-femmes-huit-femmes-qui-ont-marque-sainte-marie-a-leur-facon/ |site=Ma Beauce |date=2021-03-08 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=en |titre=Conférence - L'écriture sa passion avec Raymond Beaudet à l'Éco-refuge du Domaine Taschereau -10$/p. - Sainte-Marie, 2021-06-29 |url=https://ca.datescloud.com/conference-lecriture-sa-passion-avec-raymond-beaudet-a-leco-sainte-marie-305685960.html |site=dates.cloud |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-FR |titre=Visites guidées et groupes touristiques {{!}} Domaine Taschereau |url=http://www.domainetaschereau.com/?page_id=634 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |titre=Se connecter à Facebook |url=https://www.facebook.com/ |site=Facebook |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=Les Lieux enchantés du parc Taschereau : des contes qui prennent vie |url=https://www.enbeauce.com/actualites/culturel/437952/les-lieux-enchantes-du-parc-taschereau-des-contes-qui-prennent-vie |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*2021 Normand Maurice, père de la récupération au Québec, biographie publiée aux Éditions de la Roupille, 176 pages, {{ISBN|978-2-924304-39-6}}<ref>{{Lien web |langue=fr-CA |titre=Un livre neuf pour le père de la récupération |url=http://www.beaucemedia.ca/2021/06/25/un-livre-neuf-pour-le-pere-de-la-recuperation/ |site=Beauce Média |date=2021-06-25 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |prénom=Raymond |nom=Beaudet |titre=Normand Maurice : père de la récupération au Québec par Raymond Beaudet {{!}} Biographies {{!}} Gens d'affaire {{!}} Leslibraires.ca |url=https://www.leslibraires.ca/livres/normand-maurice-pere-de-la-recuperation-raymond-beaudet-9782924304396.html |site=www.leslibraires.ca |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-FR |titre=Réseau CFER » Lancement du livre sur Normand Maurice |url=https://reseaucfer.ca/nouvelles/lancement-du-livre-sur-normand-maurice/ |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Ouvrage|langue=en|titre=Normand Maurice, père de la récupération au Québec par BEAUDET, RAYMOND|lire en ligne=http://www.renaud-bray.com/Livres_Produit.aspx?id=3353354&def=Normand+Maurice%2c+p%c3%a8re+de+la+r%c3%a9cup%c3%a9ration+au+Qu%c3%a9bec%2cBEAUDET%2c+RAYMOND%2c9782924304396&utm_campaign=partage-réseaux-sociaux&utm_medium=réseaux-sociaux&utm_source=facebook-like|consulté le=2022-02-08}}</ref>. +*2021 Le bonheur, chroniques d'une vie à la campagne, publié aux Éditions de la Roupille, 270 pages {{ISBN|978-2-924304-40-2}}<ref>{{Lien web |langue=fr |prénom=Hélène |nom=Moore |titre=Le bonheur. Chroniques d’une vie à la campagne par Raymond Beaudet, Hélène Moore {{!}} Biographies {{!}} Faits vécus/Bio divers {{!}} Leslibraires.ca |url=https://www.leslibraires.ca/livres/le-bonheur-chroniques-d-une-vie-raymond-beaudet-9782924304402.html |site=www.leslibraires.ca |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-ca |prénom=Cool 103,5 |nom=FM |titre="Le bonheur" 6ième ouvrage de l'auteur Raymond Beaudet |url=https://www.coolfm.biz/nouvelle/5205--le-bonheur-6ieme-ouvrage-de-l-auteur-raymond-beaudet |site=Cool 103,5 FM |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-FR |prénom=Antoine |nom=Desrosiers |titre=Un sixième ouvrage pour l'auteur Raymond Beaudet de Sainte-Marie |url=https://mabeauce.com/un-sixieme-ouvrage-pour-lauteur-raymond-beaudet-de-sainte-marie/ |site=Ma Beauce |date=2021-02-25 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=ne |titre=Le bonheur, par Raymond BEAUDET et Hélène MOORE |url=https://ne-np.facebook.com/laroupille/videos/531892437783096/ |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |titre=L'écrivain... - Éditions La Roupille, Service d'édition |url=https://www.facebook.com/laroupille/videos/772815796737521/ |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=hi |titre=BIBLIOTHÈQUE {{!}} « Le bonheur :... - Ville de Sainte-Marie |url=https://hi-in.facebook.com/villesaintemarie/videos/128982392487598/ |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-CA |titre=Trouver le bonheur à la campagne |url=http://www.beaucemedia.ca/2021/02/24/trouver-le-bonheur-a-la-campagne/ |site=Beauce Média |date=2021-02-24 |consulté le=2022-02-08}}</ref>. +*2020 En décide de vendre, nouvelle parue dans Les Écrits mariverains 2020, {{ISBN|978-2-9810768-2-3}}<ref name=":0" />. + +*2019: +** Tableaux et portraits mariverains, Capsules historiques, {{ISBN|978-2-9810768-2-3}}<ref>{{Lien web |langue=th |titre=เข้าสู่ระบบ Facebook |url=https://th-th.facebook.com/login/?next=https%3A%2F%2Fth-th.facebook.com%2Fcheqfm%2Fposts%2F3625148174272475%2F |site=Facebook |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=ms |titre=LES 1001 MÉTIERS DE LA CULTURE {{!}} M. Raymond Beaudet |url=https://ms-my.facebook.com/villesaintemarie/videos/327787105117018/ |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-CA |titre=Des guides accrédités pour découvrir la Beauce |url=http://www.beaucemedia.ca/2021/03/11/des-guides-accredites-pour-decouvrir-la-beauce/ |site=Beauce Média |date=2021-03-11 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |titre=Chronique à Raymond {{!}} Mon site web |url=https://genealogiestemarie.ca/chronique-a-raymond |site=genealogiestemarie.ca |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr-FR |titre=Capsules historiques |url=https://www.sainte-marie.ca/loisirs-culture/programmation/275e-anniversaire-capsules-historiques/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +** Carnet d'un passager clandestin, nouvelle parue dans Les Écrits Mariverains 2019, {{ISBN|978-2-9810768-0-9}}<ref name=":0">{{Lien web |langue=fr-FR |titre=Écrits mariverains |url=https://www.sainte-marie.ca/loisirs-culture/ecrits-mariverains/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +** Voix de dépassement, scénario du spectacle de la Corporation des Instrumentistes Associés<ref name=":1">{{Lien web |langue=fr-CA |titre=La CIA célébrera son 10e anniversaire le 15 avril |url=http://www.beaucemedia.ca/2021/11/25/la-cia-celebrera-son-10e-anniversaire-le-15-avril/ |site=Beauce Média |date=2021-11-25 |consulté le=2022-02-08}}</ref>. +*2018 +** Marie-Claire et moi, nouvelle parue dans Les Écrits mariverains 2018, {{ISBN|978-2-9809683-9-6}}<ref name=":0" />. +** La dernière scène, scénario du spectacle de la Corporation des Instrumentistes Associés<ref name=":1" />. +** La boucherie, Projet personnel d'orientation, Ministère de l'Éducation et de l'Enseignement supérieur. +*2017 +** L'idée perdue, nouvelle parue dans Les Écrits mariverains 2017, {{ISBN|978-2-9809683-8-9}}<ref name=":0" />. +** Coups de cœur, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2016 +** Prix coup de cœur du jury au Concours de twittérature du Centre de la Francophonie des Amériques 2016<ref>{{Lien web |langue=fr-CA |titre=La twittérature est victorieuse à Sainte-Marie |url=https://www.beaucemedia.ca/2016/05/20/la-twitterature-est-victorieuse-a-sainte-marie/ |site=Beauce Média |date=2016-05-20 |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=La twittérature s'invite au CFER de Beauce à Sainte-Marie |url=https://www.enbeauce.com/actualites/culturel/305797/la-twitterature-sinvite-au-cfer-de-beauce-a-sainte-marie |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +** Éliza Caztel de Sainte-Marie, nouvelle parue dans Les Écrits mariverains 2016, {{ISBN|978-2-9809683-7-2}}<ref name=":0" />. +** La CIA sème le trouble, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2015 La photographie numérique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2015 Impressions de voyage: le Chili, nouvelle parue dans Les Écrits mariverains 2015, {{ISBN|978-2-9809683-6-5}}<ref name=":0" />. +*2015 La CIA, version 5.0, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014, 26 juin, TEDx Sainte-Marie, La paternelle<ref>{{Lien web |langue=fr-FR |titre=La paternelle {{!}} Raymond Beaudet {{!}} TEDxSainteMarie |url=https://www.youtube.com/watch?v=wGqQ2FS-P-A |consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=TEDx Sainte-Marie dévoile le nom de trois conférenciers |url=https://www.enbeauce.com/actualites/societe/125807/tedx-sainte-marie-devoile-le-nom-de-trois-conferenciers |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*2014 Le désastreux destin d'Arlette Mallette, nouvelle parue dans Les Écrits mariverains 2014, {{ISBN|978-2-9809683-5-8}}<ref name=":0" />. +*2014 La CIA, L'espace d'une vie, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2014 Carapaces, Roman publié aux Éditions Textes et Contextes, 279 pages. {{ISBN|978-2-923706-63-4}}<ref>{{Ouvrage|langue=en|titre=Carapaces par BEAUDET, RAYMOND|lire en ligne=http://www.renaud-bray.com/Livres_Produit.aspx?id=1531849&def=Carapaces%2cBEAUDET%2c+RAYMOND%2c9782923706634&utm_campaign=partage-réseaux-sociaux&utm_medium=réseaux-sociaux&utm_source=facebook-like|consulté le=2022-02-08}}</ref>{{,}}<ref>{{Lien web |titre=http://biblio.villemontlaurier.qc.ca/in/faces/details.xhtml?id=p%3A%3Ausmarcdef_0000064212 |url=http://biblio.villemontlaurier.qc.ca/in/faces/details.xhtml?id=p%3A%3Ausmarcdef_0000064212 |site=biblio.villemontlaurier.qc.ca |consulté le=2022-02-08}}</ref>. +*2013 La Politique, Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2013 La CIA poursuit son enquête, scénario du spectacle de la Corporation des Instrumentistes Associés<ref>{{Lien web |langue=fr |nom=iClic (www.iclic.com) |titre=La CIA présente En quête de commissions à la Méchatigan |url=https://www.enbeauce.com/actualites/culturel/25305/la-cia-presente-en-quete-de-commissions-a-la-mechatigan |site=EnBeauce.com |consulté le=2022-02-08}}</ref>. +*2013 Napoléon, nouvelle parue dans Les Écrits mariverains 2013. {{ISBN|978-2-9809683-4-1}}<ref name=":0" />. +*2012 Ménage de cave, nouvelle parue dans Les Écrits mariverains, 2012. {{ISBN|978-2-980-9683-3-4}}<ref name=":0" />. +*2012 En quête de mission, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2012 Finaliste dans deux concours de Zone d’écriture de [[Société Radio-Canada|Radio-Canada]] en twittérature. +*2011 La CIA autour du monde, scénario du spectacle de la Corporation des Instrumentistes Associés. +*2011 En deuxième vitesse, nouvelle parue dans Les Écrits mariverains 2011. {{ISBN|978-2-980-9683-1-0|}}<ref name=":0" />. +*2010 Biographie de Jeannine Rousseau et Rolland Massicotte, scénario. Ocus Pocus Production. +*2010 Le Projet Adam et Ève, nouvelle parue dans Écrits mariverains 2010, {{ISBN|978-2-980-9683-1-0}}<ref name=":0" />. +*2009 Alexandre et Cassiopée, nouvelle parue dans Écrits mariverains 2009<ref name=":0" />. +*2008 ''Dans un mois, dans un an'', Roman publié dans la collection Les mots inventifs, Les Éditions du Mécène, 576 pages. {{ISBN|978-2-923150-61-1}}<ref name="d9">{{Lien web |langue=fr-FR |titre=Raymond Beaudet |url=https://www.sainte-marie.ca/repertoire_culturel/raymond-beaudet/ |site=Ville de Sainte-Marie |consulté le=2022-02-08}}</ref>. +*2007 ''L'écriture'', Projet personnel d'orientation, Ministère de l'Éducation du Loisir et du sport. +*2005 ''29, rue des Remparts'', Roman publié dans la collection Les mots inventifs, Les éditions du Mécène, 192 pages. {{ISBN|2-923150-28-7}}<ref name="d9" />. +*2003 ''Vie 101'', Essai publié dans la collection Les mots utiles, Les Éditions du Mécène. 126 pages. {{ISBN|2-923150-03-1}} +*2002 ''Le groupe conseil fiscalis'', scénario produit pour le groupe conseil Fiscalis. +*2001 ''Lévis, ville nouvelle'', scénario de deux émissions de trente minutes pour le Comité de transition de la ville de Lévis et Canal Vox +*2001 ''L’école québécoise, ce qu’il y a de mieux pour votre enfant'', scénario produit pour le Ministère de l’éducation du Québec. +*2000 ''Le jeu en valait-il la chandelle?'' scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Le hasard, Lucky, on peut rien y changer'', scénario produit pour le Centre québécois d’excellence pour la prévention et le traitement du jeu. (Université Laval) +*1999 ''Un pacte fiscal pour l’an 2000, des idées, de la solidarité'', scénario produit pour l’Union des Municipalités régionales de comté et des municipalités locales. +*1999 ''Détect-o-max et Une journée avec Détect-o-max'', deux scénarios produits pour Conception Ro-main inc. +*1999 ''Propane GRG, à l’écoute de ses clients'', scénario produit pour la firme Propane GRG inc. +*1998 ''Maître du mètre'', scénario d’un documentaire sur les 25 ans du système métrique au Québec. +*1997 ''Le temps des sucres'', scénario produit pour la firme Shady Maple Farms. +*1996 ''Le Génie de campagne'', scénario produit pour les Forces armées canadiennes. +*1996 ''La Compagnie franche de la Marine de Québec'', scénario produit pour les Forces armées canadiennes. +*1995 ''Bon séjour à l'École navale de Québec'', scénario produit pour les Forces armées canadiennes. +*1994 ''Un leadership, des services'', scénario produit pour la Fédération des commissions scolaires du Québec. +*1993 ''Les clubs de recherche d'emploi'', scénario produit pour le Ministère de l'Emploi et de l'Immigration du Canada. +*1992 ''Fiers de notre avenir'', scénario produit pour l'Assurance-Vie Desjardins. +*1992 ''Responsible Leadership'', scénario produit pour la compagnie papetière Donohue. (Prix Corpo Vision) +*1992 Scénarisation d'un ensemble de huit vidéos destinées aux écoles secondaires et aux collèges du Québec, pour la Fondation de l'entrepreneurship Québécois. (Prix Adate) +*1991 ''Guide à l'intention du nouveau personnel'', rédaction d'une brochure d'accueil pour la Commission scolaire Louis-Fréchette. +*1990 Comment ça va chez vous? scénario produit pour la Confédération des caisses Desjardins. +*1990 ''Le choc est aussi grand pour les petits.'' I et II, scénario de deux vidéos pour la Régie de l'assurance automobile du Québec. +*1990 Participation au concours de nouvelles de Radio-Canada avec ''Alexandre et Cassiopée.'' +*1989 Participation au concours de nouvelles de Radio-Canada avec ''Le mystère de la cathédrale.'' +*1989 ''La Double vie d'Antoine Gagnon, Ministre'', scénario d'un téléfilm pour Radio-Canada. +*1988 ''Passeport pour la liberté'', Les Quinze Éditeurs, Montréal. {{ISBN|2-89026-368-1}}. (Prix Robert-Cliche)<ref>{{Lien web |langue=en |titre=PASSEPORT POUR LA LIBERTE. ROMAN by RAYMOND BEAUDET: bon Couverture souple (1988) {{!}} Le-Livre |url=https://www.abebooks.com/9782864770886/PASSEPORT-LIBERTE-ROMAN-RAYMOND-BEAUDET-2864770881/plp |site=www.abebooks.com |consulté le=2022-02-08}}</ref>. +*1988 Coédition aux Éditions Jean Picollec, à Paris, du roman ''Passeport pour la liberté'', 303 pages, {{ISBN|2-86477-088-1}}<ref>{{Lien web |titre=Raymond Beaudet |url=https://www.goodreads.com/author/show/1956588.Raymond_Beaudet |site=www.goodreads.com |consulté le=2022-02-08}}</ref>. +*1987 Participation au concours de nouvelles de Radio-''Canada avec Le secret''. +*1987 Collaboration au scénario et aux dialogues de ''Vie décolle'', vidéo produite pour la Commission scolaire Abénakis (21 minutes). +*1983 Rédaction et direction de ''C'est qui ma maman à moi?'' pièce de théâtre montée par la troupe de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce. +*1982 Rédaction et direction de ''Au nom du père, de la fille et du Sain d'esprit'', pièce de théâtre montée par la troupe de la Polyvalente Benoît -Vachon de Sainte-Marie de Beauce. +*1977 Corédaction et mise en scène de la pièce ''Coup de Théâtre à Ste-Onction'' jouée par les élèves de la Polyvalente Benoît-Vachon de Sainte-Marie de Beauce + +== Références == +{{references}} +== Liens externes == +* {{Liens biographiques}} + +{{Portail|Québec|littérature}} + +{{CLEDETRI:Beaudet, Raymond}} +[[Catégorie:Écrivain québécois|Beaudet, Raymond]] +[[Catégorie:Naissance en 1950]] +[[Catégorie:Étudiant de l'Université Laval]] + rsligzq2ieidd3dv2vdsrqfzlzdv08w + + + \ No newline at end of file diff --git a/history/sample-xml-dump/frwiki/20220101/frwiki-20220101-template-redirects.obj b/history/sample-xml-dump/frwiki/20220101/frwiki-20220101-template-redirects.obj new file mode 100644 index 0000000000..ededaa0a91 Binary files /dev/null and b/history/sample-xml-dump/frwiki/20220101/frwiki-20220101-template-redirects.obj differ diff --git a/history/src/main/java/org/dbpedia/extraction/sources/WikipediaDumpParserHistory.java b/history/src/main/java/org/dbpedia/extraction/sources/WikipediaDumpParserHistory.java new file mode 100644 index 0000000000..bb6e018409 --- /dev/null +++ b/history/src/main/java/org/dbpedia/extraction/sources/WikipediaDumpParserHistory.java @@ -0,0 +1,531 @@ +package org.dbpedia.extraction.sources; + +import org.dbpedia.extraction.util.Language; +import org.dbpedia.extraction.util.RecordSeverity; +import org.dbpedia.extraction.wikiparser.*; +import org.dbpedia.extraction.wikiparser.impl.wikipedia.Namespaces; +import org.dbpedia.util.Exceptions; +import org.dbpedia.util.text.xml.XMLStreamUtils; +import scala.Enumeration; +import scala.Function1; +import scala.Tuple3; +import scala.util.control.ControlThrowable; +import javax.xml.stream.XMLInputFactory; +import javax.xml.stream.XMLStreamException; +import javax.xml.stream.XMLStreamReader; +import java.io.IOException; +import java.io.Reader; +import java.util.ArrayList; +import java.util.NoSuchElementException; + +import static javax.xml.stream.XMLStreamConstants.START_ELEMENT; + +public class WikipediaDumpParserHistory +{ + /** */ + private static final String ROOT_ELEM = "mediawiki"; + + /** */ + private static final String SITEINFO_ELEM = "siteinfo"; + + /** */ + private static final String BASE_ELEM = "base"; + + /** */ + private static final String PAGE_ELEM = "page"; + + /** */ + private static final String TITLE_ELEM = "title"; + + /** */ + private static final String REDIRECT_ELEM = "redirect"; + + /** */ + private static final String ID_ELEM = "id"; + + /** */ + private static final String NS_ELEM = "ns"; + + /** */ + private static final String REVISION_ELEM = "revision"; + + /** */ + private static final String CONTRIBUTOR_ELEM = "contributor"; + private static final String CONTRIBUTOR_ID = "id"; + private static final String CONTRIBUTOR_IP = "ip"; + private static final String CONTRIBUTOR_NAME = "username"; + + /** NEW PARAMS */ + private static final String REVISION_MINOR_UPDATE = "minor"; + private static final String REVISION_PARENT_ID = "parentid"; + private static final String REVISION_COMMENT = "comment"; + private static final String REVISION_ID = "id"; + + /** */ + private static final String TEXT_ELEM = "text"; + + private static final String TIMESTAMP_ELEM = "timestamp"; + + private static final String FORMAT_ELEM = "format"; + + /** the character stream */ + private Reader _stream; + + /** the reader, null before and after run() */ + private XMLStreamReader _reader; + + /** + * This parser is currently only compatible with the 0.8 format. + * TODO: make the parser smarter, ignore elements that are not present in older formats. + */ + private final String _namespace = null; //"http://www.mediawiki.org/xml/export-0.8/"; + + /** + * Language used to parse page titles. If null, get language from siteinfo. + * If given, ignore siteinfo element. + */ + private Language _language; + + /** */ + private final Function1 _filter; + + /** page processor, called for each page */ + private final Function1 _processor; + + /** + * @param stream The character stream. Will be closed after reading. We have to use a Reader instead + * of an InputStream because of this bug: https://issues.apache.org/jira/browse/XERCESJ-1257 + * @param language language used to parse page titles. If null, get language from siteinfo. + * If given, ignore siteinfo element. TODO: use a boolean parameter instead to decide if siteinfo should be used. + * @param filter page filter. Only matching pages will be processed. + * @param processor page processor + */ + public WikipediaDumpParserHistory(Reader stream, Language language, Function1 filter, Function1 processor) + { + if (stream == null) throw new NullPointerException("file"); + if (processor == null) throw new NullPointerException("processor"); + + _stream = stream; + _language = language; + _filter = filter; + _processor = processor; + } + + public void run() + throws IOException, XMLStreamException, InterruptedException + { + XMLInputFactory factory = XMLInputFactory.newInstance(); + _reader = factory.createXMLStreamReader(_stream); + try + { + readDump(); + } + finally + { + _stream.close(); + _stream = null; + _reader.close(); + _reader = null; + } + } + + private void readDump() + throws XMLStreamException, InterruptedException + { + nextTag(); + // consume tag + requireStartElement(ROOT_ELEM); + nextTag(); + + if (_language == null) + { + _language = readSiteInfo(); + } + else + { + if (isStartElement(SITEINFO_ELEM)) skipElement(SITEINFO_ELEM, true); + } + // now after + System.out.println("BEFORE READ PAGES"); + readPages(); + System.out.println("AFTER READ PAGES"); + + requireEndElement(ROOT_ELEM); + + System.out.println("EN READ PAGES"); + } + + private Language readSiteInfo() + throws XMLStreamException + { + requireStartElement(SITEINFO_ELEM); + nextTag(); + + // Consume tag + skipElement("sitename", true); + + // Read contents of : http://xx.wikipedia.org/wiki/... + String uri = readString(BASE_ELEM, true); + String wikiCode = uri.substring(uri.indexOf("://") + 3, uri.indexOf('.')); + Language language = Language.apply(wikiCode); + + // Consume tag + // TODO: read MediaWiki version from generator element + skipElement("generator", true); + + // Consume tag + skipElement("case", true); + + // Consume tag + // TODO: read namespaces, use them to parse page titles? + skipElement("namespaces", true); + + requireEndElement(SITEINFO_ELEM); + // now at + nextTag(); + + return language; + } + + private void readPages() + throws XMLStreamException, InterruptedException + { + System.out.println("readPages"); + while (isStartElement(PAGE_ELEM)) + { + System.out.println("XXXXXXXXXXXX NEW PAGE"); + readPage(); + // now at + System.out.println("XXXXXXXXXXXX NEXT PAGE"); + nextTag(); + } + + System.out.println("readPagesend"); + } + + private void readPage() + throws XMLStreamException, InterruptedException + { + //record any error or warning + ArrayList> records = new ArrayList<>(); + + requireStartElement(PAGE_ELEM); + nextTag(); + + //Read title + String titleStr = readString(TITLE_ELEM, true); + // now after + + int nsCode; + try + { + nsCode = Integer.parseInt(readString(NS_ELEM, true)); + } + catch (NumberFormatException e) + { + throw new IllegalArgumentException("cannot parse content of element ["+NS_ELEM+"] as int", e); + } + + //Read page id + String pageId = readString(ID_ELEM, false); + // now at + + //create title now with pageId + + Integer last_size=0; + WikiTitle title = null; + try + { + title = parseTitle(titleStr, pageId); + } + catch (Exception e) + { + records.add(new Tuple3("Error parsing page title " + titleStr, e, RecordSeverity.Warning())); + //logger.log(Level.WARNING, _language.wikiCode() + ": error parsing page title ["+titleString+"]: "+Exceptions.toString(e, 200)); + } + + + // now after + + if (title != null && title.namespace().code() != nsCode) + { + try + { + Namespace expNs = new Namespace(nsCode, Namespaces.names(_language).get(nsCode).get(), false); + records.add(new Tuple3("Error parsing title: found namespace " + title.namespace() + ", expected " + expNs + " in title " + titleStr, null, RecordSeverity.Info())); + //logger.log(Level.WARNING, _language.wikiCode() + ": Error parsing title: found namespace " + title.namespace() + ", expected " + expNs + " in title " + titleStr); + title.otherNamespace_$eq(expNs); + } + catch (NoSuchElementException e) + { + records.add(new Tuple3(String.format("Error parsing title: found namespace %s, title %s , key %s", title.namespace(),titleStr, nsCode), e, RecordSeverity.Warning())); + //logger.log(Level.WARNING, String.format(_language.wikiCode() + ": Error parsing title: found namespace %s, title %s , key %s", title.namespace(),titleStr, nsCode)); + skipTitle(); + return; + } + } + + //Skip bad titles and filtered pages + if (title == null || ! _filter.apply(title)) + { + skipTitle(); + return; + } + + //Read page + WikiPageWithRevisions page; + WikiTitle redirect = null; + + System.out.println("> PAGE TITLE : "+title); + System.out.println("> PAGE ID : "+pageId); + //Read page + //Long lastRev_id=0; + ArrayList RevisionList = new ArrayList<>(); + while (nextTag() == START_ELEMENT) + { + if (isStartElement(REDIRECT_ELEM)) + { + String titleString = _reader.getAttributeValue(null, TITLE_ELEM); + try + { + redirect = parseTitle(titleString, null); + } + catch (Exception e) + { + records.add(new Tuple3("Error parsing page title " + titleString, e, RecordSeverity.Warning())); + } + nextTag(); + // now at + } + else if (isStartElement(REVISION_ELEM)) + { + + RevisionNode current_revision; + + current_revision= readRevision(title, redirect, pageId,last_size); + RevisionList.add(current_revision); + last_size=current_revision.text_size(); + //page = readRevision(title, redirect, pageId); + // now at + } + else + { + // skip all other elements, don't care about the name, don't skip end tag + skipElement(null, false); + } + } + + page = new WikiPageWithRevisions(title, redirect, pageId, "", "", "", "", "", "",RevisionList); + + if (page != null) + { + for(Tuple3 record : records){ + page.addExtractionRecord(record._1(), record._2(), record._3()); + } + try + { + _processor.apply(page); + } + catch (Exception e) + { + // emulate Scala exception handling. Ugly... + if (e instanceof ControlThrowable) throw Exceptions.unchecked(e); + if (e instanceof InterruptedException) throw (InterruptedException)e; + else page.addExtractionRecord("Could not process page: " + page.title().encoded(), e, RecordSeverity.Warning()); + System.out.println("ERRROR"); + } + } + requireEndElement(PAGE_ELEM); + } + + + private void skipTitle() throws XMLStreamException { + while(! isEndElement(PAGE_ELEM)) _reader.next(); + } + + private RevisionNode readRevision(WikiTitle title, WikiTitle redirect, String pageId, Integer last_size) + throws XMLStreamException + { + String revision_id = ""; + String parent_id= ""; + String timestamp= ""; + String contributorID= ""; + String contributorName= ""; + String contributorDeleted="false"; + String contributorIP= ""; + String comment= ""; + String text_size= ""; + String format= null; + String minor_edit= "false"; + Integer text_delta= 0; + + while (nextTag() == START_ELEMENT) + { + // System.out.println("LOOP BEGIND"); + if (isStartElement(TEXT_ELEM)) + { + String deleted = _reader.getAttributeValue(null, "bytes"); + text_size = _reader.getAttributeValue(null, "bytes"); + text_delta = Integer.parseInt(text_size) - last_size; + skipElement(null, false); + // now at + + } + else if (isStartElement(TIMESTAMP_ELEM)) + { + timestamp = readString(TIMESTAMP_ELEM, false); + // now at + } + else if (isStartElement(REVISION_ID)) + { + + revision_id = readString(REVISION_ID, false); + // now at + } + else if (isStartElement(REVISION_PARENT_ID)) + { + + parent_id = readString(REVISION_PARENT_ID, false); + // now at + } else if (isStartElement(REVISION_COMMENT)) + { + + comment = readString(REVISION_COMMENT, false); + // now at + }else if ( isStartElement(REVISION_MINOR_UPDATE)) + { + + minor_edit = "true"; + skipElement(null, false); + // now at + } + else if (isStartElement(CONTRIBUTOR_ELEM)) + { + // Check if this is an empty (deleted) contributor tag (i.e. ) + // which has no explicit end element. If it is - skip it. + String deleted = _reader.getAttributeValue(null, "deleted"); + if (deleted != null && deleted.equals("deleted")) { + contributorDeleted = "true"; + nextTag(); + } else { + // now at , move to next tag + nextTag(); + // now should have ip / (author & id), when ip is present we don't have author / id + // TODO Create a getElementName function to make this cleaner + if (isStartElement(CONTRIBUTOR_IP)) { + contributorIP = readString(CONTRIBUTOR_IP, false); + } + else + { + // usually we have contributor name first but we have to check + if (isStartElement(CONTRIBUTOR_NAME)) + { + contributorName = readString(CONTRIBUTOR_NAME, false); + nextTag(); + if (isStartElement(CONTRIBUTOR_ID)) + contributorID = readString(CONTRIBUTOR_ID, false); + } + else + { + // when contributor ID is first + if (isStartElement(CONTRIBUTOR_ID)) + { + contributorID = readString(CONTRIBUTOR_ID, false); + nextTag(); + if (isStartElement(CONTRIBUTOR_NAME)) + contributorName = readString(CONTRIBUTOR_NAME, false); + } + } + } + nextTag(); + requireEndElement(CONTRIBUTOR_ELEM); + } + } + else if (isStartElement(FORMAT_ELEM)) { + format = readString(FORMAT_ELEM, false); + // now at + } + else { + + /// skip all other elements, don't care about the name, don't skip end tag + skipElement(null, false); + } + } + requireEndElement(REVISION_ELEM); + + // now at + + String pageUri=title.pageIri() + "?" + "oldid=" + revision_id + "&" + "ns=" + title.namespace().code(); + String parent_Uri=title.pageIri() + "?" + "oldid=" + parent_id + "&" + "ns=" + title.namespace().code(); + return new RevisionNode(revision_id,pageUri,parent_Uri,timestamp,contributorID,contributorName,contributorIP,contributorDeleted,comment,text_size,minor_edit,text_delta); + } + + /* Methods for low-level work. Ideally, only these methods would access _reader while the + * higher-level methods would only use these. + */ + + /** + * @param titleString expected name of element. if null, don't check name. + * @return null if title cannot be parsed for some reason + */ + private WikiTitle parseTitle( String titleString, String pageId ) + { + Long id = null; + if(pageId != null) { + try { + id = Long.parseLong(pageId); + } catch (Throwable e) { + } + } + + return WikiTitle.parseCleanTitle(titleString, _language, scala.Option.apply(id)); + } + + /** + * @param name expected name of element. if null, don't check name. + * @param nextTag should we advance to the next tag after the closing tag of this element? + * @return long value + * @throws XMLStreamException + * @throws IllegalArgumentException if element content cannot be parsed as long + */ + private String readString( String name, boolean nextTag ) throws XMLStreamException + { + XMLStreamUtils.requireStartElement(_reader, _namespace, name); + String text = _reader.getElementText(); + if (nextTag) _reader.nextTag(); + return text; + } + + private void skipElement(String name, boolean nextTag) throws XMLStreamException + { + XMLStreamUtils.requireStartElement(_reader, _namespace, name); + XMLStreamUtils.skipElement(_reader); + if (nextTag) _reader.nextTag(); + } + + private boolean isStartElement(String name) + { + return XMLStreamUtils.isStartElement(_reader, _namespace, name); + } + + private boolean isEndElement(String name) + { + return XMLStreamUtils.isEndElement(_reader, _namespace, name); + } + + private void requireStartElement(String name) throws XMLStreamException + { + XMLStreamUtils.requireStartElement(_reader, _namespace, name); + } + + private void requireEndElement(String name) throws XMLStreamException + { + XMLStreamUtils.requireEndElement(_reader, _namespace, name); + } + + private int nextTag() throws XMLStreamException + { + return _reader.nextTag(); + } + +} diff --git a/history/src/main/scala/org/dbpedia/extraction/config/Config2.scala b/history/src/main/scala/org/dbpedia/extraction/config/Config2.scala new file mode 100755 index 0000000000..c1adda38e6 --- /dev/null +++ b/history/src/main/scala/org/dbpedia/extraction/config/Config2.scala @@ -0,0 +1,422 @@ +package org.dbpedia.extraction.config + +import org.dbpedia.extraction.config.Config.{AbstractParameters, MediaWikiConnection, NifParameters, SlackCredentials} +import org.dbpedia.extraction.config.ConfigUtils._ +import org.dbpedia.extraction.config.provenance.Dataset +import org.dbpedia.extraction.destinations.formatters.Formatter +import org.dbpedia.extraction.destinations.formatters.UriPolicy._ +import org.dbpedia.extraction.mappings.{ExtractionMonitor2, Extractor} +import org.dbpedia.extraction.util.RichFile.wrapFile +import org.dbpedia.extraction.util._ +import org.dbpedia.extraction.wikiparser.Namespace + +import java.io.{File, FileOutputStream, OutputStreamWriter, Writer} +import java.net.URL +import java.text.SimpleDateFormat +import java.util.logging.{Level, Logger} +import java.util.{Calendar, Properties} +import scala.collection.Map +import scala.collection.mutable.ListBuffer +import scala.io.Codec +import scala.util.{Failure, Success, Try} + +/** + * Documentation of config values + * + * TODO universal.properties is loaded and then overwritten by the job specific config, however, + * we are working on removing universal properties by setting (and documenting) sensible default values + * here, that CAN be overwritten in job sepcific config + * + * Guideline: + * 1. Use Java/Scaladoc always + * 2. Parameters (lazy val) MUST be documented in the following manner: + * 1. provide info about how the parameter works + * 2. describe all checks done, i.e. fail on null or >300 + * 3. state the default value + * 3. Parameters MUST follow this pattern: + * 1. if the config param is called "base-dir" then the param MUST be "baseDir" + * 2. i.e. replace - by CamelCase, since "-" can not be used in scala + * + * + * TODO @Fabian please: + * * go through universal properties and other configs and move all comments here + * * after removing place a comment in the property file refering to http://temporary.dbpedia.org/scaladocs/#org.dbpedia.extraction.config.Config + * * local extraction-framework/core/target/site/scaladocs after mvn install in core + * * set default values according to universal.properties + * * try to FOLLOW THE GUIDELINES above, add TODO if unclear + * * if possible, move all def functions to ConfigUtils + * * check the classes using the params for validation checks and move them here + * */ +class Config2(val configPath: String) extends + Properties(Config2.universalProperties) with java.io.Serializable +{ + + /** + * Merge and overrides all universal property values + * TODO can configPath ever be null? + */ + if(configPath != null) + this.putAll(ConfigUtils.loadConfig(configPath)) + + @transient private val logger = Logger.getLogger(getClass.getName) + + + + + /** + * get all universal properties, check if there is an override in the provided config file + */ + + lazy val source: Seq[String] = getStrings(this, "source", ",", required = true) + + lazy val wikiName: String = getString(this, "wiki-name", required = true).trim + + lazy val copyrightCheck: Boolean = Try(this.getProperty("copyrightCheck", "false").toBoolean).getOrElse(false) + + /** + * base-dir gives either an absolute path or a relative path to where all data is stored, normally wikidumps are downloaded here and extracted data is saved next to it, created folder structure is {{lang}}wiki/$date + * + * DEV NOTE: + * 1. this must stay lazy as it might not be used or creatable in the SPARK extraction + * 2. Download.scala in core does the creation + * + * DEFAULT ./wikidumps + * + * TODO rename dumpDir to baseDir + */ + lazy val dumpDir: File = { + var x:File = getValue[File](this, "base-dir", required = true){ x => new File(x)} + if (x==null.asInstanceOf[File]){ + x = new File ("./wikidumps") + } + x + } + + /** + * Number of parallel processes allowed. Depends on the number of cores, type of disk, and IO speed + * + */ + lazy val parallelProcesses: Int = this.getProperty("parallel-processes", "1").trim.toInt + + lazy val sparkMaster: String = Option(getString(this, "spark-master")).getOrElse("local[*]") + + lazy val sparkLocalDir: String = Option(getString(this, "spark-local-dir")).getOrElse("") + + /** + * Normally extraction jobs are run sequentially (one language after the other), but for some jobs it makes sense to run these in parallel. + * This only should be used if a single extraction job does not take up the available computing power. + */ + val runJobsInParallel: Boolean = this.getProperty("run-jobs-in-parallel", "false").trim.toBoolean + + /** + * The version string of the DBpedia version being extracted + */ + lazy val dbPediaVersion: String = parseVersionString(getString(this, "dbpedia-version").trim) match{ + case Success(s) => s + case Failure(e) => { + val version = new SimpleDateFormat("yyyy-MM").format(Calendar.getInstance().getTime) + logger.info(s"dbpedia-version option in universal.properties was not defined using $version") + version + } + // throw new IllegalArgumentException("dbpedia-version option in universal.properties was not defined or in a wrong format", e) + } + + + + lazy val wikidataMappingsFile: File = { + val name = this.getProperty("wikidata-property-mappings-file", "wikidata-property-mappings.json").trim + new File(dumpDir, name) + } + + /** + * The directory where all log files will be stored + */ + lazy val logDir: Option[File] = Option(getString(this, "log-dir")) match { + case Some(x) => Some(new File(x)) + case None => None + } + + def getDefaultExtractionRecorder[T](lang: Language, interval: Int = 100000, preamble: String = null, writer: Writer = null, datasets : ListBuffer[Dataset] = ListBuffer[Dataset](), monitor : ExtractionMonitor2 = null): ExtractionRecorder2[T] ={ + val w = if(writer != null) writer + else openLogFile(lang.wikiCode) match{ + case Some(s) => new OutputStreamWriter(s) + case None => null + } + new ExtractionRecorder2[T](w, interval, preamble, slackCredentials.getOrElse(null), datasets, lang, monitor) + } + + private def openLogFile(langWikiCode: String): Option[FileOutputStream] ={ + logDir match{ + case Some(p) if p.exists() => + var logname = configPath.replace("\\", "/") + logname = logname.substring(logname.lastIndexOf("/") + 1) + logname = logname + "_" + langWikiCode + ".log" + val logFile = new File(p, logname) + logFile.createNewFile() + Option(new FileOutputStream(logFile)) + case _ => None + } + } + + /** + * If set, extraction summaries are forwarded via the API of Slack, displaying messages on a dedicated channel. + * The URL of the slack webhook to be used + * the username under which all messages are posted (has to be registered for this webhook?) + * Threshold of extracted pages over which a summary of the current extraction is posted + * Threshold of exceptions over which an exception report is posted + */ + lazy val slackCredentials = Try{ + SlackCredentials( + webhook = new URL(getString(this, "slack-webhook").trim), + username = this.getProperty("slack-username").trim, + summaryThreshold = this.getProperty("slack-summary-threshold").trim.toInt, + exceptionThreshold = this.getProperty("slack-exception-threshold").trim.toInt + )} + + /** + * Local ontology file, downloaded for speed and reproducibility + * Note: This is lazy to defer initialization until actually called (eg. this class is not used + * directly in the distributed extraction framework - DistConfig.ExtractionConfig extends Config + * and overrides this val to null because it is not needed) + */ + lazy val ontologyFile: File = getValue(this, "ontology")(new File(_)) + + /** + * Local mappings files, downloaded for speed and reproducibility + * Note: This is lazy to defer initialization until actually called (eg. this class is not used + * directly in the distributed extraction framework - DistConfig.ExtractionConfig extends Config + * and overrides this val to null because it is not needed) + */ + lazy val mappingsDir: File = getValue(this, "mappings")(new File(_)) + + lazy val policies: Map[String, Array[Policy]] = parsePolicies(this, "uri-policy") + + lazy val formats: Map[String, Formatter] = parseFormats(this, "format", policies).toMap + + lazy val disambiguations: String = this.getProperty("disambiguations", "page_props.sql.gz") + + /** + * all non universal properties... + */ + /** + * An array of input dataset names (e.g. 'instance-types' or 'mappingbased-literals') (separated by a ',') + */ + lazy val inputDatasets: Seq[String] = getStrings(this, "input", ",").distinct //unique collection of names!!! + /** + * A dataset name for the output file generated (e.g. 'instance-types' or 'mappingbased-literals') + */ + lazy val outputDataset: Option[String] = Option(getString(this, "output")) + /** + * the suffix of the files representing the input dataset (usually a combination of RDF serialization extension and compression used - e.g. .ttl.bz2 when using the TURTLE triples compressed with bzip2) + */ + lazy val inputSuffix: Option[String] = Option(getString(this, "suffix")) + /** + * same as for inputSuffix (for the output dataset) + */ + lazy val outputSuffix: Option[String] = Option(getString(this, "output-suffix")) + /** + * instead of a defined output dataset name, one can specify a name extension turncated at the end of the input dataset name (e.g. '-transitive' -> instance-types-transitive) + */ + lazy val datasetnameExtension: Option[String] = Option(getString(this, "name-extension")) + + /** + * An array of languages specified by the exact enumeration of language wiki codes (e.g. en,de,fr...) + * or article count ranges ('10000-20000' or '10000-' -> all wiki languages having that much articles...) + * or '@mappings', '@chapters' when only mapping/chapter languages are of concern + * or '@downloaded' if all downloaded languages are to be processed (containing the download.complete file) + * or '@abstracts' to only process languages which provide human readable abstracts (thus not 'wikidata' and the like...) + */ + lazy val languages: Array[Language] = parseLanguages(dumpDir, getStrings(this, "languages", ","), wikiName) + + /** + * before processing a given language, check if the download.complete file is present + */ + lazy val requireComplete: Boolean = this.getProperty("require-download-complete", "false").trim.toBoolean + + + + /** + * TODO experimental, ignore for now + */ + lazy val retryFailedPages: Boolean = this.getProperty("retry-failed-pages", "false").trim.toBoolean + + /** + * the extractor classes to be used when extracting the XML dumps + */ + lazy val extractorClasses: Map[Language, Seq[Class[_ <: Extractor[_]]]] = ExtractorUtils.loadExtractorsMapFromConfig(languages, this) + + /** + * namespaces loaded defined by the languages in use (see languages) + */ + lazy val namespaces: Set[Namespace] = loadNamespaces() + + private def loadNamespaces(): Set[Namespace] = { + val names = getStrings(this, "namespaces", ",") + if (names.isEmpty) Set(Namespace.Main, Namespace.File, Namespace.Category, Namespace.Template, Namespace.WikidataProperty, Namespace.WikidataLexeme) + // Special case for namespace "Main" - its Wikipedia name is the empty string "" + else names.map(name => if (name.toLowerCase(Language.English.locale) == "main") Namespace.Main else Namespace(Language.English, name)).toSet + } + + lazy val mediawikiConnection: MediaWikiConnection = Try { + + MediaWikiConnection( + apiType = this.getProperty("mwc-type", "").trim, + apiUrl = this.getProperty("mwc-type").trim match { + case "rest" => this.getProperty("mwc-apiRestUrl", "").trim + case "mwc" => this.getProperty("mwc-apiMWCUrl", "").trim + case "local" => this.getProperty("mwc-apiLocalUrl", "").trim + }, + maxRetries = this.getProperty("mwc-maxRetries", "4").trim.toInt, + connectMs = this.getProperty("mwc-connectMs", "2000").trim.toInt, + readMs = this.getProperty("mwc-readMs", "5000").trim.toInt, + sleepFactor = this.getProperty("mwc-sleepFactor", "1000").trim.toInt, + maxlag = this.getProperty("mwc-maxlag", "5").trim.toInt, + useragent = this.getProperty("mwc-useragent", "anonymous").trim, + gzip = this.getProperty("mwc-gzip","false").trim.toBoolean, + retryafter = this.getProperty("mwc-retryafter", "false").trim.toBoolean, + accept = this.getProperty("mwc-accept", "text/html").trim, + charset = this.getProperty("mwc-charset", "utf-8").trim, + profile = this.getProperty("mwc-profile", "https://www.mediawiki.org/wiki/Specs/HTML/2.1.0").trim + ) + } match{ + case Success(s) => s + case Failure(f) => throw new IllegalArgumentException("Some parameters necessary for the 'MediaWikiConnection' class were not provided or could not be parsed to the expected type.", f) + } + + + lazy val abstractParameters: AbstractParameters = Try { + AbstractParameters( + abstractQuery = this.getProperty("abstract-query", "").trim, + shortAbstractsProperty = this.getProperty("short-abstracts-property", "rdfs:comment").trim, + longAbstractsProperty = this.getProperty("long-abstracts-property", "abstract").trim, + shortAbstractMinLength = this.getProperty("short-abstract-min-length", "200").trim.toInt, + abstractTags = this.getProperty("abstract-tags", "query,pages,page,extract").trim, + removeBrokenBracketsProperty = this.getProperty("remove-broken-brackets-plain-abstracts", "false").trim.toBoolean + ) + } match{ + case Success(s) => s + case Failure(f) => throw new IllegalArgumentException("Not all necessary parameters for the 'AbstractParameters' class were provided or could not be parsed to the expected type.", f) + } + + + lazy val nifParameters: NifParameters = Try { + NifParameters( + nifQuery = this.getProperty("nif-query", "").trim, + nifTags = this.getProperty("nif-tags", "parse,text").trim, + isTestRun = this.getProperty("nif-isTestRun", "false").trim.toBoolean, + writeAnchor = this.getProperty("nif-write-anchor", "false").trim.toBoolean, + writeLinkAnchor = this.getProperty("nif-write-link-anchor", "true").trim.toBoolean, + abstractsOnly = this.getProperty("nif-extract-abstract-only", "true").trim.toBoolean, + cssSelectorMap = this.getClass.getClassLoader.getResource("nifextractionconfig.json"), //static config file in core/src/main/resources + removeBrokenBracketsProperty = this.getProperty("remove-broken-brackets-html-abstracts", "false").trim.toBoolean + ) + } match{ + case Success(s) => s + case Failure(f) => throw new IllegalArgumentException("Not all necessary parameters for the 'NifParameters' class were provided or could not be parsed to the expected type.", f) + } + + /* HELPER FUNCTIONS */ + + + def getArbitraryStringProperty(key: String): Option[String] = { + Option(getString(this, key)) + } + + def throwMissingPropertyException(property: String, required: Boolean): Unit ={ + if(required) + throw new IllegalArgumentException("The following required property is missing from the provided .properties file (or has an invalid format): '" + property + "'") + else + logger.log(Level.WARNING, "The following property is missing from the provided .properties file (or has an invalid format): '" + property + "'. It will not factor in.") + } + + + /** + * determines if 1. the download has to be completed and if so 2. looks for the download-complete file + * @param lang - the language for which to check + * @return + */ + def isDownloadComplete(lang:Language): Boolean ={ + if(requireComplete){ + val finder = new Finder[File](dumpDir, lang, wikiName) + val date = finder.dates(source.head).last + finder.file(date, Config.Complete) match { + case None => false + case Some(x) => x.exists() + } + } + else + true + } + + +} + +object Config2{ + + /** name of marker file in wiki date directory */ + val Complete = "download-complete" + + case class NifParameters( + nifQuery: String, + nifTags: String, + isTestRun: Boolean, + writeAnchor: Boolean, + writeLinkAnchor: Boolean, + abstractsOnly: Boolean, + cssSelectorMap: URL, + removeBrokenBracketsProperty: Boolean + ) + + /** + * test + * @constructor test + * @param apiUrl test + * @param maxRetries + * @param connectMs + * @param readMs + * @param sleepFactor + */ + case class MediaWikiConnection( + apiType: String, + apiUrl: String, + maxRetries: Int, + connectMs: Int, + readMs: Int, + sleepFactor: Int, + maxlag: Int, + useragent: String, + gzip: Boolean, + retryafter: Boolean, + accept : String, + charset: String, + profile: String + ) + + case class AbstractParameters( + abstractQuery: String, + shortAbstractsProperty: String, + longAbstractsProperty: String, + shortAbstractMinLength: Int, + abstractTags: String, + removeBrokenBracketsProperty: Boolean + ) + + case class SlackCredentials( + webhook: URL, + username: String, + summaryThreshold: Int, + exceptionThreshold: Int + ) + + private val universalProperties: Properties = loadConfig(this.getClass.getClassLoader.getResource("universal.properties")).asInstanceOf[Properties] + + val universalConfig: Config = new Config(null) + + + /** + * The content of the wikipedias.csv in the base-dir (needs to be static) + */ + private val wikisinfoFile = new File(getString(universalProperties , "base-dir", required = true), WikiInfo.FileName) + private lazy val wikiinfo = if(wikisinfoFile.exists()) WikiInfo.fromFile(wikisinfoFile, Codec.UTF8) else Seq() + def wikiInfos: Seq[WikiInfo] = wikiinfo +} diff --git a/history/src/main/scala/org/dbpedia/extraction/destinations/WriterDestination2.scala b/history/src/main/scala/org/dbpedia/extraction/destinations/WriterDestination2.scala new file mode 100644 index 0000000000..8c5f3ae2ed --- /dev/null +++ b/history/src/main/scala/org/dbpedia/extraction/destinations/WriterDestination2.scala @@ -0,0 +1,56 @@ +package org.dbpedia.extraction.destinations + +import org.dbpedia.extraction.config.provenance.Dataset +import org.dbpedia.extraction.destinations.formatters.Formatter +import org.dbpedia.extraction.mappings.BadQuadException +import org.dbpedia.extraction.transform.Quad +import org.dbpedia.extraction.util.{ExtractionRecorder, ExtractionRecorder2} +import org.dbpedia.extraction.wikiparser.{WikiPage, WikiPageWithRevisions} + +import java.io.Writer + + +/** + * Writes quads to a writer. + */ +class WriterDestination2(factory: () => Writer, formatter : Formatter, extractionRecorder: ExtractionRecorder2[WikiPageWithRevisions] = null, dataset : Dataset = null) +extends Destination +{ + private var writer: Writer = null + + override def open() = { + if(writer == null) //to prevent errors when called twice + { + writer = factory() + writer.write(formatter.header) + } + } + + /** + * Note: using synchronization here is not strictly necessary (writers should be thread-safe), + * but without it, different sequences of quads will be interleaved, which is harder to read + * and makes certain parsing optimizations impossible. + */ + override def write(graph : Traversable[Quad]) = synchronized { + for(quad <- graph) { + val formatted = formatter.render(quad) + if(extractionRecorder != null) { + if(formatted.trim.startsWith("#")){ + if(formatted.contains("BAD URI:")) + //TODO create trait 'Recordable' + extractionRecorder.failedRecord(quad.toString(), null, new BadQuadException(formatted)) + } + else if(dataset != null) + extractionRecorder.increaseAndGetSuccessfulTriples(dataset) + } + writer.write(formatted) + } + } + + override def close() = { + if(writer != null) { + writer.write(formatter.footer) + writer.close() + } + } +} diff --git a/history/src/main/scala/org/dbpedia/extraction/dump/extract/ConfigLoader2.scala b/history/src/main/scala/org/dbpedia/extraction/dump/extract/ConfigLoader2.scala new file mode 100644 index 0000000000..fe30b2f510 --- /dev/null +++ b/history/src/main/scala/org/dbpedia/extraction/dump/extract/ConfigLoader2.scala @@ -0,0 +1,366 @@ +package org.dbpedia.extraction.dump.extract + +import org.dbpedia.extraction.config.provenance.{DBpediaDatasets, Dataset} +import org.dbpedia.extraction.config.{Config2, ConfigUtils} +import org.dbpedia.extraction.destinations._ +import org.dbpedia.extraction.mappings._ +import org.dbpedia.extraction.ontology.Ontology +import org.dbpedia.extraction.ontology.io.OntologyReader +import org.dbpedia.extraction.sources.{Source2, Source, WikiSource, XMLSource,XMLSource2} +import org.dbpedia.extraction.util.RichFile.wrapFile +import org.dbpedia.extraction.util._ +import org.dbpedia.extraction.wikiparser._ + +import java.io._ +import java.net.URL +import java.util.concurrent.ConcurrentHashMap +import java.util.logging.Logger +import scala.collection.convert.decorateAsScala._ +import scala.collection.mutable +import scala.collection.mutable.{ArrayBuffer, ListBuffer} +import scala.reflect._ + +/** + * Loads the dump extraction configuration. + * + * TODO: clean up. The relations between the objects, classes and methods have become a bit chaotic. + * There is no clean separation of concerns. + * + * TODO: get rid of all config file parsers, use Spring + */ +class ConfigLoader2(config: Config2) +{ + //private val logger = Logger.getLogger(classOf[ConfigLoader2].getName) + + private val extractionJobs = new ConcurrentHashMap[Language, ExtractionJob2]().asScala + + private val sparkExtractionJobs = new ConcurrentHashMap[Language, SparkExtractionJob2]().asScala + + private val extractionRecorder = new mutable.HashMap[ClassTag[_], mutable.HashMap[Language, ExtractionRecorder2[_]]]() + + //these lists are used when the ImageExtractor is amongst the selected Extractors + private val nonFreeImages = new ConcurrentHashMap[Language, Seq[String]]().asScala + private val freeImages = new ConcurrentHashMap[Language, Seq[String]]().asScala + + private val extractionMonitor = new ExtractionMonitor2() + + def getExtractionRecorder[T: ClassTag](lang: Language, dataset : Dataset = null): org.dbpedia.extraction.util.ExtractionRecorder2[T] = { + extractionRecorder.get(classTag[T]) match{ + case Some(s) => s.get(lang) match { + case None => + val datasetsParam = if (dataset == null) ListBuffer[Dataset]() else ListBuffer(dataset) + s(lang) = config.getDefaultExtractionRecorder[T](lang, 2000, null, null, datasetsParam, extractionMonitor) + s(lang).asInstanceOf[ExtractionRecorder2[T]] + case Some(er) => + if(dataset != null) if(!er.datasets.contains(dataset)) er.datasets += dataset + er.asInstanceOf[ExtractionRecorder2[T]] + } + case None => + extractionRecorder(classTag[T]) = new mutable.HashMap[Language, ExtractionRecorder2[_]]() + getExtractionRecorder[T](lang, dataset) + } + } + + /** + * Creates ab extraction job for a specific language. + */ + val extractionJobWorker: Workers[(Language, Seq[Class[_ <: Extractor[_]]])] = SimpleWorkers(config.parallelProcesses, config.parallelProcesses) { input: (Language, Seq[Class[_ <: Extractor[_]]]) => + + val finder = new Finder[File](config.dumpDir, input._1, config.wikiName) + + val date = latestDate(finder) + + //Extraction Context + val context = new DumpExtractionContext2 + { + def ontology: Ontology = _ontology + + def commonsSource: Source2 = _commonsSource + + def language: Language = input._1 + + def recorder[T: ClassTag]: ExtractionRecorder2[T] = getExtractionRecorder[T](input._1) + + + + + def articlesSource: Source2 = getArticlesSource(language, finder) + + private val _redirects = + { + finder.file(date, "template-redirects.obj") match{ + case Some(cache) => Redirects2.load(articlesSource, cache, language) + case None => new Redirects2(Map()) + } + + } + + def redirects : Redirects2 = _redirects + + private val _disambiguations = + { + try { + Disambiguations.load(reader(finder.file(date, config.disambiguations).get), finder.file(date, "disambiguations-ids.obj").get, language) + } catch { + case ex: Exception => + // logger.info("Could not load disambiguations - error: " + ex.getMessage) + null + } + } + + def disambiguations : Disambiguations = + if (_disambiguations != null) + _disambiguations + else + new Disambiguations(Set[Long]()) + + def configFile: Config2 = config + + def freeImages : Seq[String] = ConfigLoader2.this.freeImages.get(language) match{ + case Some(s) => s + case None => Seq() + } + + def nonFreeImages : Seq[String] = ConfigLoader2.this.nonFreeImages.get(language) match{ + case Some(s) => s ++ ConfigLoader2.this.nonFreeImages(Language.Commons) //always add commons to the list of non free images + case None => Seq() + } + } + + //Extractors + val extractor = CompositeParseExtractor2.load(input._2, context) + + System.out.println(">> EXTRACTOR : " + extractor); + val datasets = extractor.datasets + + val formatDestinations = new ArrayBuffer[Destination]() + + for ((suffix, format) <- config.formats) { + val datasetDestinations = new mutable.HashMap[Dataset, Destination]() + for (dataset <- datasets) { + finder.file(date, dataset.encoded.replace('_', '-')+'.'+suffix) match{ + case Some(file)=> datasetDestinations(dataset) = new DeduplicatingDestination(new WriterDestination2(writer(file), format, getExtractionRecorder(context.language, dataset), dataset)) + case None => + } + } + formatDestinations += new DatasetDestination(datasetDestinations) + } + + val destination = new MarkerDestination( + new CompositeDestination(formatDestinations: _*), + finder.file(date, Extraction.Complete).get, + false + ) + + val extractionJobNS = if(context.language == Language.Commons) + ExtractorUtils.commonsNamespacesContainingMetadata + else config.namespaces + + val extractionJob = new ExtractionJob2( + extractor, + context.articlesSource, + extractionJobNS, + destination, + context.language, + config.retryFailedPages, + getExtractionRecorder(context.language) + ) + + extractionJobs.put(context.language, extractionJob) + } + + /** + * Creates ab extraction job for a specific language. + */ + def buildSparkExtractionJob(lang: Language, extractors : Seq[Class[_ <: Extractor[_]]]) : Option[SparkExtractionJob2] = { + val finder = new Finder[File](config.dumpDir, lang, config.wikiName) + + val date = latestDate(finder) + + def articlesSource: Source2 = getArticlesSource(lang, finder) + + //Extraction Context + val context = new SparkExtractionContext2 { + + def ontology: Ontology = _ontology + def language: Language = lang + + private val _redirects = + { + finder.file(date, "template-redirects.obj") match{ + case Some(cache) => Redirects2.load(articlesSource, cache, language) + case None => new Redirects2(Map()) + } + + } + + def redirects : Redirects2 = _redirects + + def recorder[T: ClassTag]: ExtractionRecorder2[T] = getExtractionRecorder[T](lang) + + private lazy val _mappingPageSource = + { + val namespace = Namespace.mappings(language) + + if (config.mappingsDir != null && config.mappingsDir.isDirectory) + { + val file = new File(config.mappingsDir, namespace.name(Language.Mappings).replace(' ','_')+".xml") + XMLSource2.fromFile(file, Language.Mappings) + } + else + { + val namespaces = Set(namespace) + val url = new URL(Language.Mappings.apiUri) + WikiSource.fromNamespaces(namespaces,url,Language.Mappings) + } + } + + + + private val _disambiguations = + { + try { + Disambiguations.load(reader(finder.file(date, config.disambiguations).get), finder.file(date, "disambiguations-ids.obj").get, language) + } catch { + case ex: Exception => + //logger.info("Could not load disambiguations - error: " + ex.getMessage) + null + } + } + + def disambiguations : Disambiguations = + if (_disambiguations != null) + _disambiguations + else + new Disambiguations(Set[Long]()) + + } + + // TODO: Find a better way to do this (?) + val datasets = CompositeParseExtractor.load(extractors, context).datasets + + val formatDestinations = new ArrayBuffer[Destination]() + + for ((suffix, format) <- config.formats) { + val datasetDestinations = new mutable.HashMap[Dataset, Destination]() + for (dataset <- datasets) { + finder.file(date, dataset.encoded.replace('_', '-')+'.'+suffix) match{ + case Some(file)=> datasetDestinations(dataset) = new DeduplicatingDestination(new WriterDestination2(writer(file), format, getExtractionRecorder(lang, dataset), dataset)) + case None => + } + } + formatDestinations += new DatasetDestination(datasetDestinations) + } + + val destination = new MarkerDestination( + new CompositeDestination(formatDestinations: _*), + finder.file(date, Extraction.Complete).get, + false + ) + + val extractionJobNS = if(lang == Language.Commons) + ExtractorUtils.commonsNamespacesContainingMetadata + else config.namespaces + + val sparkExtractionJob = new SparkExtractionJob2( + extractors, + context, + extractionJobNS, + destination, + lang, + config.retryFailedPages, + getExtractionRecorder(lang) + ) + + sparkExtractionJobs.put(lang, sparkExtractionJob) + } + + + + /** + * Loads the configuration and creates extraction jobs for all configured languages. + * + * @return Non-strict Traversable over all configured extraction jobs, i.e., an extraction job will not be created until it is explicitly requested. + */ + def getExtractionJobs: Traversable[ExtractionJob2] = + { + + + // Create a non-strict view of the extraction jobs + // non-strict because we want to create the extraction job when it is needed, not earlier + Workers.work[(Language, Seq[Class[_ <: Extractor[_]]])](extractionJobWorker, config.extractorClasses.toList) + extractionJobs.values + } + + def getSparkExtractionJobs: Traversable[SparkExtractionJob2] = { + + + config.extractorClasses.toList.foreach(input => buildSparkExtractionJob(input._1, input._2)) + sparkExtractionJobs.values + } + private def writer(file: File): () => Writer = { + () => IOUtils.writer(file) + } + + private def reader(file: File): () => Reader = { + () => IOUtils.reader(file) + } + + private def readers(source: String, finder: Finder[File], date: String): List[() => Reader] = { + files(source, finder, date).map(reader) + } + + private def files(source: String, finder: Finder[File], date: String): List[File] = { + + val files = if (source.startsWith("@")) { // the articles source is a regex - we want to match multiple files + finder.matchFiles(date, source.substring(1)) + } else List(finder.file(date, source)).collect{case Some(x) => x} + + // logger.info(s"Source is $source - ${files.size} file(s) matched") + + files + } + + //language-independent val + private lazy val _ontology = + { + val ontologySource = if (config.ontologyFile != null && config.ontologyFile.isFile) + { + XMLSource.fromFile(config.ontologyFile, Language.Mappings) + } + else + { + val namespaces = Set(Namespace.OntologyClass, Namespace.OntologyProperty) + val url = new URL(Language.Mappings.apiUri) + val language = Language.Mappings + WikiSource.fromNamespaces(namespaces, url, language) + } + new OntologyReader().read(ontologySource) + } + + //language-independent val + private lazy val _commonsSource = + { + val finder = new Finder[File](config.dumpDir, Language("commons"), config.wikiName) + val date = latestDate(finder) + XMLSource2.fromReaders(config.source.flatMap(x => readers(x, finder, date)), Language.Commons, _.namespace == Namespace.File) + } + + private def getArticlesSource(language: Language, finder: Finder[File]) = + { + val articlesReaders = config.source.flatMap(x => readers(x, finder, latestDate(finder))) + + XMLSource2.fromReaders(articlesReaders, language, + title => title.namespace == Namespace.Main || title.namespace == Namespace.File || + title.namespace == Namespace.Category || title.namespace == Namespace.Template || + title.namespace == Namespace.WikidataProperty || title.namespace == Namespace.WikidataLexeme || ExtractorUtils.titleContainsCommonsMetadata(title)) + } + + private def latestDate(finder: Finder[_]): String = { + val isSourceRegex = config.source.startsWith("@") + val source = if (isSourceRegex) config.source.head.substring(1) else config.source.head + val fileName = if (config.requireComplete) Config2.Complete else source + finder.dates(fileName, isSuffixRegex = isSourceRegex).last + } +} + diff --git a/history/src/main/scala/org/dbpedia/extraction/dump/extract/Extraction2.scala b/history/src/main/scala/org/dbpedia/extraction/dump/extract/Extraction2.scala new file mode 100644 index 0000000000..7cb1a502e1 --- /dev/null +++ b/history/src/main/scala/org/dbpedia/extraction/dump/extract/Extraction2.scala @@ -0,0 +1,47 @@ +package org.dbpedia.extraction.dump.extract + +import org.dbpedia.extraction.config.Config2 +import org.dbpedia.extraction.util.ProxyAuthenticator + +import java.net.Authenticator +import java.util.concurrent.ConcurrentLinkedQueue +import scala.concurrent.ExecutionContext.Implicits.global +import scala.concurrent.Future +import scala.util.{Failure, Success} + +/** + * Dump extraction script. + */ +object Extraction2 { + + val Started = "extraction-started" + + val Complete = "extraction-complete" + + def main(args: Array[String]): Unit = { + require(args != null && args.length >= 1 && args(0).nonEmpty, "missing required argument: config file name") + // Authenticator.setDefault(new ProxyAuthenticator()) + + //Load extraction jobs from configuration + val config = new Config2(args.head) + val configLoader = new ConfigLoader2(config) + + val parallelProcesses = if(config.runJobsInParallel) config.parallelProcesses else 1 + val jobsRunning = new ConcurrentLinkedQueue[Future[Unit]]() + //Execute the extraction jobs one by one + for (job <- configLoader.getExtractionJobs) { + while(jobsRunning.size() >= parallelProcesses) + Thread.sleep(1000) + + val future = Future{job.run()} + jobsRunning.add(future) + future.onComplete { + case Failure(f) => throw f + case Success(_) => jobsRunning.remove(future) + } + } + + while(jobsRunning.size() > 0) + Thread.sleep(1000) + } +} \ No newline at end of file diff --git a/history/src/main/scala/org/dbpedia/extraction/dump/extract/ExtractionJob2.scala b/history/src/main/scala/org/dbpedia/extraction/dump/extract/ExtractionJob2.scala new file mode 100644 index 0000000000..d8503d6713 --- /dev/null +++ b/history/src/main/scala/org/dbpedia/extraction/dump/extract/ExtractionJob2.scala @@ -0,0 +1,101 @@ +package org.dbpedia.extraction.dump.extract + +import org.dbpedia.extraction.config.provenance.Dataset +import org.dbpedia.extraction.destinations.Destination +import org.dbpedia.extraction.mappings.WikiPageWithRevisionsExtractor +import org.dbpedia.extraction.sources.{Source, Source2} +import org.dbpedia.extraction.util._ +import org.dbpedia.extraction.wikiparser.{Namespace, WikiPage, WikiPageWithRevisions} + +/** + * Executes a extraction. + * + * @param extractor The Extractor + * @param source The extraction source + * @param namespaces Only extract pages in these namespaces + * @param destination The extraction destination. Will be closed after the extraction has been finished. + * @param language The language of this extraction. + */ +class ExtractionJob2( + extractor: WikiPageWithRevisionsExtractor, + source: Source2, + val namespaces: Set[Namespace], + val destination: Destination, + val language: Language, + val retryFailedPages: Boolean, + val extractionRecorder: ExtractionRecorder2[WikiPageWithRevisions]) +{ + /* val myAnnotatedClass: ClassSymbol = runtimeMirror(Thread.currentThread().getContextClassLoader).classSymbol(ExtractorAnnotation.getClass) + val annotation: Option[Annotation] = myAnnotatedClass.annotations.find(_.tree.tpe =:= typeOf[ExtractorAnnotation]) + val result = annotation.flatMap { a => + a.tree.children.tail.collect({ case Literal(Constant(name: String)) => name }).headOption + } + + result.foreach( x => println(x.toString))*/ + + def datasets: Set[Dataset] = extractor.datasets + + private val workers = SimpleWorkers { page: WikiPageWithRevisions => + try { + if (namespaces.contains(page.title.namespace)) { + println("SimpleWorkers") + println(extractor.toString) + val graph = extractor.extract(page, page.uri) + println(graph.toString()) + destination.write(graph) + } + //if the internal extraction process of this extractor yielded extraction records (e.g., non-critical errors, etc.), those will be forwarded to the ExtractionRecorder; else, a new record is produced + val records = page.getExtractionRecords() match{ + case seq :Seq[RecordEntry2[WikiPageWithRevisions]] if seq.nonEmpty => seq + case _ => Seq(new RecordEntry2[WikiPageWithRevisions](page, page.uri, RecordSeverity.Info, page.title.language)) + } + //forward all records to the recorder + extractionRecorder.record(records:_*) + } catch { + case ex: Exception => + ex.printStackTrace() + page.addExtractionRecord(null, ex) + extractionRecorder.record(page.getExtractionRecords():_*) + if(extractionRecorder.monitor != null) + extractionRecorder.monitor.reportError(extractionRecorder, ex) + } + } + + def run(): Unit = + { + extractionRecorder.initialize(language, "Main Extraction", extractor.datasets.toSeq) + extractor.initializeExtractor() + destination.open() + workers.start() + + try { + for (page <- source) + workers.process(page) + + extractionRecorder.printLabeledLine("finished extraction after {page} pages with {mspp} per page", RecordSeverity.Info, language) + + if(retryFailedPages){ + val fails = extractionRecorder.listFailedPages(language).keys.map(_._2) + extractionRecorder.printLabeledLine("retrying " + fails.size + " failed pages", RecordSeverity.Warning, language) + extractionRecorder.resetFailedPages(language) + for(page <- fails) { + page.toggleRetry() + page match{ + case p: WikiPageWithRevisions => workers.process(p) + case _ => + } + } + extractionRecorder.printLabeledLine("all failed pages were re-executed.", RecordSeverity.Info, language) + } + } + catch { + case ex : Throwable => + if(extractionRecorder.monitor != null) extractionRecorder.monitor.reportCrash(extractionRecorder, ex) + } finally { + workers.stop() + destination.close() + extractor.finalizeExtractor() + extractionRecorder.finalize() + } + } +} \ No newline at end of file diff --git a/history/src/main/scala/org/dbpedia/extraction/dump/extract/SerializableUtils2.scala b/history/src/main/scala/org/dbpedia/extraction/dump/extract/SerializableUtils2.scala new file mode 100644 index 0000000000..7f55be316f --- /dev/null +++ b/history/src/main/scala/org/dbpedia/extraction/dump/extract/SerializableUtils2.scala @@ -0,0 +1,106 @@ +package org.dbpedia.extraction.dump.extract + +import org.dbpedia.extraction.mappings.Extractor +import org.dbpedia.extraction.transform.Quad +import org.dbpedia.extraction.util.Language +import org.dbpedia.extraction.wikiparser.{Namespace, WikiPage, WikiPageWithRevisions, WikiTitle} + +import scala.util.Try +import scala.xml.XML.loadString + +object SerializableUtils2 extends Serializable { + //@transient lazy val logger = LogManager.getRootLogger + + /** + * Extracts Quads from a WikiPage + * @param namespaces Set of wanted namespaces + * @param extractor WikiPage Extractor + * @param page WikiPage + * @return Quad collection + */ + def extractQuadsFromPage(namespaces: Set[Namespace], extractor: Extractor[WikiPageWithRevisions], page: WikiPageWithRevisions): Seq[Quad] = { + var quads = Seq[Quad]() + try { + if (namespaces.exists(_.equals(page.title.namespace))) { + //Extract Quads + quads = extractor.extract(page, page.uri) + } + } + catch { + case ex: Exception => + page.addExtractionRecord(null, ex) + page.getExtractionRecords() + } + quads + } + + /** + * Parses an XML string to a wikipage. + * based on org.dbpedia.extraction.sources.XMLSource + * @param xmlString xml wiki page + * @return Option[WikiPage] + */ + def parseXMLToWikiPage(xmlString: String, language: Language): Option[WikiPageWithRevisions] = { + /* + * Handle special cases occurring in the extraction + */ + var validXML = xmlString + val length = xmlString.length + if(xmlString.startsWith(" throw new IllegalArgumentException("Cannot parse content of element [ns] as int", e) + } + } + //Skip bad titles + if (title != null) { + val _redirect = (page \ "redirect" \ "@title").text match { + case "" => null + case t => WikiTitle.parse(t, language) + } + val _contributorID = (revision \ "contributor" \ "id").text match { + case null => "0" + case id => id + } + Some(new WikiPageWithRevisions( + title = title, + redirect = _redirect, + id = (page \ "id").text, + revision = (revision \ "id").text, + timestamp = (revision \ "timestamp").text, + contributorID = _contributorID, + contributorName = + if (_contributorID == "0") (revision \ "contributor" \ "ip").text + else (revision \ "contributor" \ "username").text, + source = (revision \ "text").text, + format = (revision \ "format").text)) + } + else None + } catch { + case ex: Throwable => + //logger.warn("error parsing xml:" + ex.getMessage) + None + } + } +} diff --git a/history/src/main/scala/org/dbpedia/extraction/dump/extract/SparkExtractionJob2.scala b/history/src/main/scala/org/dbpedia/extraction/dump/extract/SparkExtractionJob2.scala new file mode 100644 index 0000000000..cd3e2255f8 --- /dev/null +++ b/history/src/main/scala/org/dbpedia/extraction/dump/extract/SparkExtractionJob2.scala @@ -0,0 +1,248 @@ +package org.dbpedia.extraction.dump.extract + +import java.io.File +import java.net.URL + +import org.apache.hadoop.io.compress.BZip2Codec +import org.apache.hadoop.io.{LongWritable, NullWritable, Text} +import org.apache.hadoop.mapred.lib.MultipleTextOutputFormat +import org.apache.hadoop.mapreduce.lib.input.TextInputFormat +import org.apache.spark.rdd.RDD +import org.apache.spark.sql.SparkSession +import org.dbpedia.extraction.config.Config2 +import org.dbpedia.extraction.destinations._ +import org.dbpedia.extraction.mappings._ +import org.dbpedia.extraction.ontology.Ontology +import org.dbpedia.extraction.sources.{WikiSource, XMLSource} +import org.dbpedia.extraction.transform.Quad +import org.dbpedia.extraction.util.RichFile.wrapFile +import org.dbpedia.extraction.util.{RecordEntry, RecordSeverity, _} +import org.dbpedia.extraction.wikiparser.{Namespace, WikiPageWithRevisions, WikiTitle} + +import scala.sys.process._ +import scala.util.Try + +/** + * Current time-comparison: + * Test Specs: 10000 pages, dewiki, 8 cores + * Live: ~1:22 min + * --------- + * spark-sql with spark-xml: ~1:08 min + * custom Hadoop In-/Output: ~0:43 min + * + * @param extractors The Extractors + * @param context The Extraction Context + * @param namespaces Only extract pages in these namespaces + * @param lang the language of this extraction. + */ +class SparkExtractionJob2(extractors: Seq[Class[_ <: Extractor[_]]], + context: SparkExtractionContext2, + namespaces: Set[Namespace], + destination: Destination, + lang: Language, + retryFailedPages: Boolean, + extractionRecorder: ExtractionRecorder2[WikiPageWithRevisions]) { + + def run(spark: SparkSession, config: Config2): Unit = { + val sparkContext = spark.sparkContext + + println("SPARKKKK") + try { + //broadcasts + val broadcastNamespaces = sparkContext.broadcast(namespaces) + val broadcastOntology = sparkContext.broadcast(context.ontology) + val broadcastLanguage = sparkContext.broadcast(context.language) + val broadcastRedirects = sparkContext.broadcast(context.redirects) + val broadcastDisambiguations = sparkContext.broadcast(context.disambiguations) + val broadcastFormats = sparkContext.broadcast(config.formats) + val broadcastExtractors = sparkContext.broadcast(extractors) + + + //finding the source files + val fileFinder = new Finder[File](config.dumpDir, context.language, config.wikiName) + val latestDate = getLatestDate(fileFinder, config) + val dumpSources = config.source.flatMap(x => getInputFiles(x, fileFinder, latestDate)) + + //number of worker-cores + val numberOfCores = sparkContext.defaultParallelism + + //initialize extraction-recorder + val extractor = CompositeParseExtractor.load(extractors, context) + extractionRecorder.initialize(lang, sparkContext.appName, extractor.datasets.toSeq) + extractor.initializeExtractor() + + //extraction + dumpSources.foreach(file => { + extractionRecorder.printLabeledLine(s"Starting Extraction on ${file.getName}.", RecordSeverity.Info) + /* ------- READING ------- + * Read XML-Dump from baseDir, delimit the text by the tag + * and create an RDD from it + */ + val inputConfiguration = new org.apache.hadoop.conf.Configuration + inputConfiguration.set("textinputformat.record.delimiter", "") + val wikiPageXmlRDD : RDD[String] = + sparkContext.newAPIHadoopFile(file.getAbsolutePath, classOf[TextInputFormat], classOf[LongWritable], classOf[Text], inputConfiguration) + .map("" + _._2.toString.trim).repartition(numberOfCores) + + /* ------- PARSING ------- + * Parse the String to WikiPage Objects + */ + val wikiPageParsedRDD : RDD[WikiPageWithRevisions] = wikiPageXmlRDD.flatMap(SerializableUtils2.parseXMLToWikiPage(_, broadcastLanguage.value)) + + /* ------- EXTRACTION ------- + * Build extractor-context from broadcast values once per partition. + * Extract quads. + * Flatten the Quad Collections. + */ + val extractedDataRDD : RDD[Quad] = wikiPageParsedRDD.mapPartitions(pages => { + // TODO: ImageExtractor + def worker_context = + new SparkExtractionContext2 { + def ontology: Ontology = broadcastOntology.value + def language: Language = broadcastLanguage.value + def redirects: Redirects2 = broadcastRedirects.value + def disambiguations: Disambiguations = broadcastDisambiguations.value + } + val localExtractor = CompositeParseExtractor2.load(broadcastExtractors.value, worker_context) + pages.map(page => + SerializableUtils2.extractQuadsFromPage(broadcastNamespaces.value, localExtractor, page) + ) + }).flatMap(identity) + + /* ------- WRITING ------- + * Prepare the lines that will be written. + * ⇒ generate the key that determines the destination file, and let the formatter render the quad as string. + * Lastly let each worker write its own file and use a bash script to concat these files together afterwards. + */ + extractedDataRDD.mapPartitionsWithIndex( + (partition, quads) => quads.flatMap(quad => + broadcastFormats.value.flatMap(formats => + Try{(Key(quad.dataset, formats._1, partition), formats._2.render(quad).trim)}.toOption + ) + ) + ).saveAsHadoopFile(s"${file.getParent}/_temporary/", classOf[Key], classOf[String], classOf[CustomPartitionedOutputFormat], classOf[BZip2Codec]) + concatOutputFiles(new File(s"${file.getParent}/_temporary/"), s"${lang.wikiCode}${config.wikiName}-$latestDate-", broadcastFormats.value.keys) + extractionRecorder.printLabeledLine(s"Finished Extraction on ${file.getName}.", RecordSeverity.Info) + }) + + if (retryFailedPages) { + //output dir + val dir = dumpSources.last.getParent + //pages to retry + val failedPages = extractionRecorder.listFailedPages(lang).keys.map(_._2).toSeq + extractionRecorder.printLabeledLine("retrying " + failedPages.length + " failed pages", RecordSeverity.Warning, lang) + extractionRecorder.resetFailedPages(lang) + + //already in the memory → use makeRDD + val failedPagesRDD = sparkContext.makeRDD(failedPages) + + /* ------- EXTRACTION ------- + * Build extractor-context from broadcast values once per partition. + * Extract quads. + * Flatten the Quad Collections. + */ + val failResults = failedPagesRDD.mapPartitions(pages => { + + def worker_context = + // MappingsExtractor is not used + new SparkExtractionContext2 { + def ontology: Ontology = broadcastOntology.value + def language: Language = broadcastLanguage.value + def redirects: Redirects2 = broadcastRedirects.value + def disambiguations: Disambiguations = broadcastDisambiguations.value + } + val localExtractor = CompositeParseExtractor2.load(broadcastExtractors.value, worker_context) + pages.map(page => + SerializableUtils2.extractQuadsFromPage(broadcastNamespaces.value, localExtractor, page) + ) + }).flatMap(identity) + + /* ------- WRITING ------- + * Prepare the lines that will be written. + * => generate the key that determines the destination file, and let the formatter render the quad as string. + * Lastly let each worker write its own file and use a bash script to concat these files together afterwards. + */ + failResults.mapPartitionsWithIndex( + (partition, quads) => quads.flatMap(quad => + broadcastFormats.value.toSeq.flatMap(formats => + Try{(Key(quad.dataset, formats._1, partition), formats._2.render(quad).trim)}.toOption + ) + ) + ).saveAsHadoopFile(s"$dir/_temporary/", classOf[Key], classOf[String], classOf[CustomPartitionedOutputFormat], classOf[BZip2Codec]) + concatOutputFiles(new File(s"$dir/_temporary/"), s"${lang.wikiCode}${config.wikiName}-$latestDate-", broadcastFormats.value.keys) + } + + //FIXME Extraction Monitor not working + + // finalize extraction-recorder + extractionRecorder.printLabeledLine("finished complete extraction after {page} pages with {mspp} per page", RecordSeverity.Info, lang) + extractor.finalizeExtractor() + extractionRecorder.finalize() + } + catch { + case ex: Throwable => +// if (extractionRecorder.monitor != null) extractionRecorder.monitor.reportCrash(extractionRecorder, ex) + ex.printStackTrace() + extractionRecorder.finalize() + } + } + + def createRecords(page: WikiPageWithRevisions): Seq[RecordEntry2[WikiPageWithRevisions]] = { + page.getExtractionRecords() match { + case seq: Seq[RecordEntry2[WikiPageWithRevisions]] if seq.nonEmpty => seq + case _ => Seq(new RecordEntry2[WikiPageWithRevisions](page, page.uri, RecordSeverity.Info, page.title.language)) + } + } + + private def getLatestDate(finder: Finder[_], config: Config2): String = { + val isSourceRegex = config.source.startsWith("@") + val source = if (isSourceRegex) config.source.head.substring(1) else config.source.head + val fileName = if (config.requireComplete) Config2.Complete else source + finder.dates(fileName, isSuffixRegex = isSourceRegex).last + } + + private def getInputFiles(source: String, finder: Finder[File], date: String): List[File] = { + val files = if (source.startsWith("@")) { // the articles source is a regex - we want to match multiple files + finder.matchFiles(date, source.substring(1)) + } else List(finder.file(date, source)).collect{case Some(x) => x} + files + } + + private def concatOutputFiles(dir : File, prefix: String, formats: Iterable[String]): Unit = { + dir.listFiles().foreach(datasetDir => { + if(datasetDir.isDirectory) { + val ds = datasetDir.getName.replace("_","-") + formats.foreach(format => + Seq("bash", "../scripts/src/main/bash/concatFiles.sh", + datasetDir.getAbsolutePath, s"${dir.getParent}/$prefix$ds.$format", format).!) + } + }) + deleteFilesRecursively(dir) + } + + private def deleteFilesRecursively(file: File): Unit = { + if (file.isDirectory) + file.listFiles.foreach(deleteFilesRecursively) + if (file.exists && !file.delete) + throw new Exception(s"Unable to delete ${file.getAbsolutePath}") + } +} + +/** + * Custom output format for the saveAsHadoopFile method. + * Each partition writes its own files, datasets get their own folder + */ +class CustomPartitionedOutputFormat extends MultipleTextOutputFormat[Any, Any] { + override def generateActualKey(key: Any, value: Any): Any = + NullWritable.get() + + override def generateFileNameForKeyValue(key: Any, value: Any, name: String): String = { + val k = key.asInstanceOf[Key] + val format = k.format.split(".bz2")(0) + s"${k.dataset}/${k.partition}.$format" + } +} + +case class Key(dataset: String, format: String, partition: Int) + + diff --git a/history/src/main/scala/org/dbpedia/extraction/mappings/CompositeExtractor2.scala b/history/src/main/scala/org/dbpedia/extraction/mappings/CompositeExtractor2.scala new file mode 100644 index 0000000000..6a48a0ef46 --- /dev/null +++ b/history/src/main/scala/org/dbpedia/extraction/mappings/CompositeExtractor2.scala @@ -0,0 +1,16 @@ +package org.dbpedia.extraction.mappings + +import org.dbpedia.extraction.config.provenance.Dataset +import org.dbpedia.extraction.transform.Quad + +/** + * TODO: generic type may not be optimal. + */ +class CompositeExtractor2[N](mappings: Extractor[N]*) extends Extractor[N] +{ + override val datasets: Set[Dataset] = mappings.flatMap(_.datasets).toSet + + override def extract(input: N, subjectUri: String): Seq[Quad] = { + mappings.flatMap(_.extract(input, subjectUri)) + } +} diff --git a/history/src/main/scala/org/dbpedia/extraction/mappings/CompositeParseExtractor2.scala b/history/src/main/scala/org/dbpedia/extraction/mappings/CompositeParseExtractor2.scala new file mode 100644 index 0000000000..f668271e6e --- /dev/null +++ b/history/src/main/scala/org/dbpedia/extraction/mappings/CompositeParseExtractor2.scala @@ -0,0 +1,83 @@ +package org.dbpedia.extraction.mappings + +import org.dbpedia.extraction.config.provenance.Dataset +import org.dbpedia.extraction.transform.Quad +import org.dbpedia.extraction.wikiparser.{WikiPage, WikiPageWithRevisions} + +import scala.collection.mutable.ArrayBuffer + +/** + * TODO: generic type may not be optimal. + */ +class CompositeParseExtractor2(extractors: Extractor[_]*) +extends WikiPageWithRevisionsExtractor +{ + + override val datasets: Set[Dataset] = extractors.flatMap(_.datasets).toSet + + //define different types of Extractors + private val wikiPageExtractors = new ArrayBuffer[Extractor[WikiPageWithRevisions]]() + //private val pageNodeExtractors = new ArrayBuffer[PageNodeExtractor]() + //private val jsonNodeExtractors = new ArrayBuffer[JsonNodeExtractor]() + private val finalExtractors = new ArrayBuffer[Extractor[WikiPageWithRevisions]]() + + + //if extractor is not either PageNodeExtractor or JsonNodeExtractor so it accepts WikiPage as input + extractors foreach { extractor => + extractor match { + + // case _: PageNodeExtractor => pageNodeExtractors += extractor.asInstanceOf[PageNodeExtractor] //select all extractors which take PageNode to wrap them in WikiParseExtractor + // case _: JsonNodeExtractor => jsonNodeExtractors += extractor.asInstanceOf[JsonNodeExtractor] + case _: WikiPageWithRevisionsExtractor => wikiPageExtractors += extractor.asInstanceOf[WikiPageWithRevisionsExtractor] //select all extractors which take Wikipage to wrap them in a CompositeExtractor + case _ => + } + println(extractor.toString) + } + + println(wikiPageExtractors.toString()) + if (wikiPageExtractors.nonEmpty) + finalExtractors += new CompositeWikiPageWithRevisionExtractor(new CompositeExtractor2[WikiPageWithRevisions](wikiPageExtractors :_*)) + + //create and load WikiParseExtractor here + // if (pageNodeExtractors.nonEmpty) + // finalExtractors += new WikiParseExtractor(new CompositePageNodeExtractor2(pageNodeExtractors :_*)) + + //create and load JsonParseExtractor here + //if (jsonNodeExtractors.nonEmpty) + //finalExtractors += new JsonParseExtractor(new CompositeJsonNodeExtractor(jsonNodeExtractors :_*)) + + private val immutableExtractors = finalExtractors.toList + + override def extract(input: WikiPageWithRevisions, subjectUri: String): Seq[Quad] = { + + if (finalExtractors.isEmpty) + Seq.empty + else + new CompositeExtractor2[WikiPageWithRevisions](immutableExtractors :_*).extract(input, subjectUri) + } +} + +/** + * Creates new extractors. + */ +object CompositeParseExtractor2 +{ + /** + * Creates a new CompositeExtractor loaded with same type of Extractors[T] + * + * TODO: using reflection here loses compile-time type safety. + * + * @param classes List of extractor classes to be instantiated + * @param context Any type of object that implements the required parameter methods for the extractors + */ + def load(classes: Seq[Class[_ <: Extractor[_]]], context: AnyRef): WikiPageWithRevisionsExtractor = + { + println("IN CompositeParseExtractor2") + val extractors = classes.map(_.getConstructor(classOf[AnyRef]).newInstance(context)) + new CompositeParseExtractor2(extractors: _*) + } +} + + + + diff --git a/history/src/main/scala/org/dbpedia/extraction/mappings/CompositeWikiPageWithRevisionExtractor.scala b/history/src/main/scala/org/dbpedia/extraction/mappings/CompositeWikiPageWithRevisionExtractor.scala new file mode 100644 index 0000000000..440cd8fd38 --- /dev/null +++ b/history/src/main/scala/org/dbpedia/extraction/mappings/CompositeWikiPageWithRevisionExtractor.scala @@ -0,0 +1,9 @@ +package org.dbpedia.extraction.mappings + +import org.dbpedia.extraction.wikiparser.{WikiPage, WikiPageWithRevisions} + +class CompositeWikiPageWithRevisionExtractor(extractors: Extractor[WikiPageWithRevisions]*) +extends CompositeExtractor[WikiPageWithRevisions](extractors: _*) +with WikiPageWithRevisionsExtractor + + diff --git a/history/src/main/scala/org/dbpedia/extraction/mappings/ExtractionMonitor2.scala b/history/src/main/scala/org/dbpedia/extraction/mappings/ExtractionMonitor2.scala new file mode 100644 index 0000000000..7b545f2f55 --- /dev/null +++ b/history/src/main/scala/org/dbpedia/extraction/mappings/ExtractionMonitor2.scala @@ -0,0 +1,204 @@ +package org.dbpedia.extraction.mappings + +import org.apache.jena.rdf.model._ +import org.dbpedia.extraction.config.provenance.Dataset +import org.dbpedia.extraction.config.{Config, ConfigUtils} +import org.dbpedia.extraction.util._ + +import java.util.concurrent.atomic.AtomicLong +import scala.collection.mutable +import scala.collection.mutable.ListBuffer +import scala.util.Try + +class ExtractionMonitor2 { + private val stats : mutable.HashMap[ExtractionRecorder2[_], mutable.HashMap[String, Int]] = mutable.HashMap() + private val errors : mutable.HashMap[ExtractionRecorder2[_], ListBuffer[Throwable]] = mutable.HashMap() + + private var compareVersions = false + private var old_version_URL : String = _ + private val tripleProperty = "http://rdfs.org/ns/void#triples" + private var expectedChanges = Array(-1.0, 8.0) + private val ignorableExceptionsFile: JsonConfig = new JsonConfig(this.getClass.getClassLoader.getResource("ignorableExceptions.json")) + private val ignorableExceptions : mutable.HashMap[ExtractionRecorder2[_], List[String]] = mutable.HashMap() + private var summarizeExceptions : Boolean = false + + this.loadConf() + + /** + * Loads Config Values + * @param configPath path to config + */ + def loadConf(configPath : String = null): Unit ={ + val config = if(configPath == null) Config.universalConfig + else ConfigUtils.loadConfig(configPath) + compareVersions = Try[Boolean]{ config.getProperty("compare-dataset-ids").toBoolean }.getOrElse(false) + if (compareVersions){ + require(config.getProperty("previous-base-dir") != null, "Old build directory needs to be defined under 'previousBaseDir' for the dataID comparison!") + old_version_URL = config.getProperty("previous-base-dir") + val changes = config.getProperty("expected-changes") + if(changes != null) { + if(changes.split(",").length == 2) { + expectedChanges = Array(changes.split(",")(0).toFloat, changes.split(",")(1).toFloat) + } + } + summarizeExceptions = Try[Boolean]{ config.getProperty("summarize-exceptions").toBoolean }.getOrElse(false) + } + } + + /** + * Initializes the Extraction Monitor for a specific ExtractionRecorder2 + * @param er ExtractionRecorder2 + */ + def init(er : ExtractionRecorder2[_]): Unit ={ + val new_map = mutable.HashMap[String, Int]() + + new_map.put("ERROR", 0) + new_map.put("CRASHED", 0) + new_map.put("SUCCESSFUL", 0) + + stats.put(er, new_map) + errors.put(er, ListBuffer()) + + // Load ignorable Exceptions + var exceptions = ListBuffer[String]() + er.datasets.foreach(dataset => ignorableExceptionsFile.get(dataset.canonicalUri).foreach(jsonNode => { + val it = jsonNode.elements() + while(it.hasNext){ + exceptions += it.next().asText() + } + })) + ignorableExceptions.put(er, exceptions.toList) + } + + def init(er_list: List[ExtractionRecorder2[_]]): Unit ={ + er_list.foreach(init) + } + + /** + * Marks the ExtractionRecorder2 as crashed + * @param er ExtractionRecorder2 + * @param ex Exception + */ + def reportCrash(er : ExtractionRecorder2[_], ex : Throwable): Unit ={ + stats(er).put("CRASHED", 1) + errors(er) += ex + } + + /** + * Adds an Exception to the statistics for the Recorder + * @param er ExtractionRecorder2 + * @param ex Exception + */ + def reportError(er : ExtractionRecorder2[_], ex : Throwable): Unit = { + var ignorable = false + if(ignorableExceptions(er).contains(ex.getClass.getName.split("\\.").last)) ignorable = true + if(!ignorable) { + errors(er) += ex + stats(er).put("ERROR", stats(er).getOrElse("ERROR", 0) + 1) + } + } + + /** + * Summary of data for the ExtractionRecorder2 + * @param er ExtractionRecorder2 + * @param datasets List of Datasets that will be compared by DatasetID + * @return Summary-Report + */ + def summarize(er : ExtractionRecorder2[_], datasets : ListBuffer[Dataset] = ListBuffer()): mutable.HashMap[String, Object] ={ + // Get the monitor stats for this ER + val crashed = if(stats(er).getOrElse("CRASHED", 0) == 1) "yes" else "no" + val error = stats(er).getOrElse("ERROR", 0) + var dataIDResults = "" + + // DatasetID Comparison + if(compareVersions) { + // Find the DatasetID Files + val language = er.language + val oldDate = old_version_URL.split("/")(3) + val url = old_version_URL + language.wikiCode + "/"+ oldDate + "_dataid_" + language.wikiCode + ".ttl" + + // Compare & Get the results + compareTripleCount(url, er, datasets) match { + case Some(comparison) => + dataIDResults = "DATAIDRESULTS: \n" + comparison + case None => dataIDResults = "! COULD NOT COMPARE DATAID !" + } + + } + val exceptions = mutable.HashMap[String, Int]() + errors(er).foreach(ex => { + exceptions.put(ex.getClass.getName, exceptions.getOrElse(ex.getClass.getName, 0) + 1) + }) + val summary = mutable.HashMap[String, Object]() + summary.put("EXCEPTIONCOUNT", error.asInstanceOf[Object]) + + val s : AtomicLong = new AtomicLong(0) + val map = er.getSuccessfulPageCount() + map.keySet.foreach(key => s.set(s.get() + map(key).get())) + summary.put("SUCCESSFUL", s) + summary.put("CRASHED", crashed.asInstanceOf[Object]) + summary.put("DATAID", dataIDResults.asInstanceOf[Object]) + summary.put("EXCEPTIONS", + if(summarizeExceptions) exceptions.asInstanceOf[Object] + else mutable.HashMap[String, Int]()) + summary + } + + /** + * Reads two RDF files and compares the triple-count-values. + */ + def compareTripleCount(dataIDUrl : String, extractionRecorder2: ExtractionRecorder2[_], datasets : ListBuffer[Dataset]): Option[String] ={ + try { + var resultString = "" + // Load Graph + val model = ModelFactory.createDefaultModel() + + model.read(dataIDUrl) + val oldValues = getPropertyValues(model, model.getProperty(tripleProperty)) + + // Compare Values + oldValues.keySet.foreach(fileName => { + if (datasets.nonEmpty) { + datasets.foreach(dataset => + if (dataset.canonicalUri == fileName) { + val oldValue: Long = oldValues(fileName).asLiteral().getLong + val newValue: Long = extractionRecorder2.successfulTriples(dataset) + val change: Float = + if (newValue > oldValue) (newValue.toFloat / oldValue.toFloat) * 10000000 / 100000 + else (-1 * (1 - (newValue.toFloat / oldValue.toFloat))) * 10000000 / 100000 + if (change < expectedChanges(0) || change > expectedChanges(1)) resultString += "! " + resultString += dataset.canonicalUri + ": " + change + "%" + }) + } + // Datasets for ER not given => Compare all datasets + else { + resultString += fileName + ": " + oldValues(fileName).asLiteral().getLong + } + }) + if (resultString != "") + Some(resultString) + else + None + } catch { + case ex : Throwable => + ex.printStackTrace() + None + } + } + + /** + * Queries over the graph and returns the property values + * @param model graph + * @param property property + * @return HashMap: Subject -> Value + */ + private def getPropertyValues(model: Model, property : Property) : mutable.HashMap[String, RDFNode] = { + var map = mutable.HashMap[String, RDFNode]() + val it = model.listResourcesWithProperty(property) + while(it.hasNext) { + val res = it.next() + map += res.getURI.split("\\?")(0).split("\\&")(0) -> res.getProperty(property).getObject + } + map + } +} \ No newline at end of file diff --git a/history/src/main/scala/org/dbpedia/extraction/mappings/HistoryPageExtractor.scala b/history/src/main/scala/org/dbpedia/extraction/mappings/HistoryPageExtractor.scala new file mode 100644 index 0000000000..9ba69032b6 --- /dev/null +++ b/history/src/main/scala/org/dbpedia/extraction/mappings/HistoryPageExtractor.scala @@ -0,0 +1,96 @@ +package org.dbpedia.extraction.mappings + +import org.dbpedia.extraction.config.provenance.DBpediaDatasets +import org.dbpedia.extraction.ontology.Ontology +import org.dbpedia.extraction.transform.{Quad, QuadBuilder} +import org.dbpedia.extraction.util.Language +import org.dbpedia.extraction.wikiparser._ + +import scala.collection.mutable.ArrayBuffer +import scala.language.reflectiveCalls + + + +class HistoryPageExtractor( + context : { + def ontology: Ontology + def language: Language + } + ) + extends WikiPageWithRevisionsExtractor { + // PROP FROM ONTOLOGY + private val typeOntProperty = context.ontology.properties("rdf:type") + private val wikiPageRevisionIdProperty = context.ontology.properties("wikiPageRevisionID") + private val foafNick = context.ontology.properties("foaf:nick") + private val minorRevProperty = context.ontology.properties("isMinorRevision") + private val wikiPageLengthDeltaProperty = context.ontology.properties("wikiPageLengthDelta") + private val wikiPageLengthProperty = context.ontology.properties("wikiPageLength") + private val nonNegativeInteger = context.ontology.datatypes("xsd:nonNegativeInteger") + + // PROPERTIES NOT IN THE ONTOLOGY + private val entityClass = "http://www.w3.org/ns/prov#Entity" + private val revisionClass = "http://www.w3.org/ns/prov#Revision" + private val propQualifRevision = "http://www.w3.org/ns/prov#qualifiedRevision" + private val quadPropQualifRevision = QuadBuilder.stringPredicate(context.language, DBpediaDatasets.HistoryData, propQualifRevision, null) _ + private val propCreated = "http://purl.org/dc/terms/created" + private val quadPropCreated = QuadBuilder.stringPredicate(context.language, DBpediaDatasets.HistoryData, propCreated, context.ontology.datatypes("xsd:dateTime")) _ + private val propWasRevisionOf = "http://www.w3.org/ns/prov#wasRevisionOf" + private val quadPropWasRevisionOf = QuadBuilder.stringPredicate(context.language, DBpediaDatasets.HistoryData, propWasRevisionOf, null) _ + private val propCreator = "http://purl.org/dc/terms/creator" + private val quadPropCreator = QuadBuilder.stringPredicate(context.language, DBpediaDatasets.HistoryData, propCreator, null) _ + private val propSiocId= "http://rdfs.org/sioc/ns#id" + private val quadPropSiocId = QuadBuilder.stringPredicate(context.language, DBpediaDatasets.HistoryData, propSiocId, context.ontology.datatypes("xsd:string")) _ + private val propPropSiocIp = "http://rdfs.org/sioc/ns#ip_address" + private val quadPropPropSiocIp = QuadBuilder.stringPredicate(context.language, DBpediaDatasets.HistoryData, propPropSiocIp, context.ontology.datatypes("xsd:string")) _ + private val propSiocNote = "http://rdfs.org/sioc/ns#note" + private val quadPropSiocNote = QuadBuilder.stringPredicate(context.language, DBpediaDatasets.HistoryData, propSiocNote, context.ontology.datatypes("xsd:string")) _ + + override val datasets = Set(DBpediaDatasets.HistoryData) + + + override def extract(page: WikiPageWithRevisions , subjectUri: String): Seq[Quad] = { + + + val quads = new ArrayBuffer[Quad]() + var rev_index=0; + quads += new Quad(context.language, DBpediaDatasets.HistoryData, page.title.pageIri, typeOntProperty, entityClass, page.sourceIri) + //// CONTENT OF HISTORY + page.revisions.foreach(revision => { + quads += new Quad(context.language, DBpediaDatasets.HistoryData,revision.pageUri, typeOntProperty, revisionClass, page.sourceIri) + quads += quadPropQualifRevision(page.title.pageIri, revision.pageUri, page.sourceIri) // NOT 100% SUR OF IT + quads += new Quad(context.language, DBpediaDatasets.HistoryData, revision.pageUri, wikiPageRevisionIdProperty,revision.id.toString, page.sourceIri, context.ontology.datatypes("xsd:integer")) + quads += quadPropCreated(revision.pageUri, revision.timestamp, page.sourceIri) + quads += quadPropWasRevisionOf(revision.pageUri, revision.parent_Uri, page.sourceIri) + + //// CREATOR ID based on getUserIdAll function that give unique ID based on what data is available about the user + val bn_propCreator=subjectUri+"__creator__"+revision.getUserIDAlt + quads += quadPropCreator(revision.pageUri, bn_propCreator, page.sourceIri) + if(revision.contributorID != ""){ + quads += quadPropSiocId(bn_propCreator,revision.contributorID , page.sourceIri) + } + if (revision.contributorIP != "") { + quads += quadPropPropSiocIp(bn_propCreator, revision.contributorIP, page.sourceIri) + } + if (revision.contributorName != "") { + quads += new Quad(context.language, DBpediaDatasets.HistoryData, bn_propCreator, foafNick, revision.contributorName, page.sourceIri) + } + if (revision.comment != "") { + quads += quadPropSiocNote(revision.pageUri,revision.comment, page.sourceIri) + } + + quads += new Quad(context.language, DBpediaDatasets.HistoryData, revision.pageUri, wikiPageLengthProperty, revision.text_size.toString, page.sourceIri, nonNegativeInteger) + quads += new Quad(context.language, DBpediaDatasets.HistoryData, revision.pageUri, wikiPageLengthDeltaProperty, revision.text_delta.toString, page.sourceIri, context.ontology.datatypes("xsd:integer")) + quads += new Quad(context.language, DBpediaDatasets.HistoryData, revision.pageUri, minorRevProperty, revision.minor_edit.toString, page.sourceIri, context.ontology.datatypes("xsd:boolean")) + + // TODO : CREATE OR FIND PROP FOR : + // revision.contributorDeleted ov:DeletedEntry ? + rev_index+=1 + }) + + + + quads + } + + +} diff --git a/history/src/main/scala/org/dbpedia/extraction/mappings/HistoryStatsExtractor.scala b/history/src/main/scala/org/dbpedia/extraction/mappings/HistoryStatsExtractor.scala new file mode 100644 index 0000000000..b378976ff3 --- /dev/null +++ b/history/src/main/scala/org/dbpedia/extraction/mappings/HistoryStatsExtractor.scala @@ -0,0 +1,84 @@ +package org.dbpedia.extraction.mappings + +import org.dbpedia.extraction.config.provenance.DBpediaDatasets +import org.dbpedia.extraction.ontology.Ontology +import org.dbpedia.extraction.transform.{Quad, QuadBuilder} +import org.dbpedia.extraction.util.Language +import org.dbpedia.extraction.wikiparser._ + +import scala.collection.mutable.ArrayBuffer +import scala.language.reflectiveCalls + + + +class HistoryStatsExtractor( + context : { + def ontology: Ontology + def language: Language + } + ) + extends WikiPageWithRevisionsExtractor { + // PROP FROM ONTOLOGY + private val nbUniqueContribProperty = context.ontology.properties("nbUniqueContrib") + private val avgRevSizePerMonthProperty = context.ontology.properties("avgRevSizePerMonth") + private val avgRevSizePerYearProperty = context.ontology.properties("avgRevSizePerYear") + private val nbRevPerYearProperty = context.ontology.properties("nbRevPerYear") + private val NbRevPerMonthProperty = context.ontology.properties("nbRevPerMonth") + + // PROPERTIES NOT IN THE ONTOLOGY + private val propDate = "http://purl.org/dc/elements/1.1/date" + private val quadPropDate = QuadBuilder.stringPredicate(context.language, DBpediaDatasets.HistoryStats, propDate, context.ontology.datatypes("xsd:date")) _ + private val propValue = "http://www.w3.org/1999/02/22-rdf-syntax-ns#value" + private val quadPropValue = QuadBuilder.stringPredicate(context.language, DBpediaDatasets.HistoryStats, propValue, context.ontology.datatypes("xsd:integer")) _ + + + + override val datasets = Set(DBpediaDatasets.HistoryStats) //# ToADD + + + override def extract(page: WikiPageWithRevisions , subjectUri: String): Seq[Quad] = { + + + val quads = new ArrayBuffer[Quad]() + quads += new Quad(context.language, DBpediaDatasets.HistoryStats, page.title.pageIri, nbUniqueContribProperty, page.getUniqueContributors.toString, page.sourceIri, context.ontology.datatypes("xsd:integer")) + + page.getRevPerYear foreach { + case (key, value) => + val bn_nbRevPerYear = subjectUri + "__nbRevPerYear__"+key + quads += new Quad(context.language, DBpediaDatasets.HistoryStats, page.title.pageIri, nbRevPerYearProperty, bn_nbRevPerYear, page.sourceIri, context.ontology.datatypes("xsd:integer")) + quads += quadPropDate(bn_nbRevPerYear, key, page.sourceIri) + quads += quadPropValue(bn_nbRevPerYear, value.toString, page.sourceIri) + + } + page.getRevPerYearMonth foreach { + case (key, value) => + val bn_nbRevPerMonth = subjectUri + "__nbRevPerMonth__"+key + quads += new Quad(context.language, DBpediaDatasets.HistoryStats, page.title.pageIri, NbRevPerMonthProperty, bn_nbRevPerMonth, page.sourceIri, context.ontology.datatypes("xsd:integer")) + quads += quadPropDate(bn_nbRevPerMonth, key, page.sourceIri) + quads += quadPropValue(bn_nbRevPerMonth, value.toString, page.sourceIri) + + } + page.getRevPerYearAvgSize foreach { + case (key, value) => + val bn_revPerYearAvgSize = subjectUri + "__revPerYearAvgSize__"+key + quads += new Quad(context.language, DBpediaDatasets.HistoryStats, page.title.pageIri, avgRevSizePerYearProperty, bn_revPerYearAvgSize, page.sourceIri, context.ontology.datatypes("xsd:integer")) + quads += quadPropDate(bn_revPerYearAvgSize, key, page.sourceIri) + quads += quadPropValue(bn_revPerYearAvgSize, value.toString, page.sourceIri) + } + page.getRevPerYearMonthAvgSize foreach { + case (key, value) => + + val bn_revPerMonthAvgSize = subjectUri + "__revPerMonthAvgSize__"+key + quads += new Quad(context.language, DBpediaDatasets.HistoryStats, page.title.pageIri, avgRevSizePerMonthProperty, bn_revPerMonthAvgSize, page.sourceIri, context.ontology.datatypes("xsd:integer")) + quads += quadPropDate(bn_revPerMonthAvgSize, key, page.sourceIri) + quads += quadPropValue(bn_revPerMonthAvgSize, value.toString, page.sourceIri) + + } + + + + quads + } + + +} diff --git a/history/src/main/scala/org/dbpedia/extraction/mappings/RedirectExtractor2.scala b/history/src/main/scala/org/dbpedia/extraction/mappings/RedirectExtractor2.scala new file mode 100644 index 0000000000..e9a771f0b6 --- /dev/null +++ b/history/src/main/scala/org/dbpedia/extraction/mappings/RedirectExtractor2.scala @@ -0,0 +1,40 @@ +package org.dbpedia.extraction.mappings + +import org.dbpedia.extraction.config.provenance.DBpediaDatasets +import org.dbpedia.extraction.ontology.Ontology +import org.dbpedia.extraction.transform.{Quad, QuadBuilder} +import org.dbpedia.extraction.util.{ExtractorUtils, Language} +import org.dbpedia.extraction.wikiparser._ + +import scala.language.reflectiveCalls + +/** + * Extracts redirect links between Articles in Wikipedia. + */ +class RedirectExtractor2( + context : { + def ontology : Ontology + def language : Language + } +) + extends WikiPageWithRevisionsExtractor +{ + private val language = context.language + + private val wikiPageRedirectsProperty = context.ontology.properties("wikiPageRedirects") + + override val datasets = Set(DBpediaDatasets.Redirects) + + private val namespaces = if (language == Language.Commons) ExtractorUtils.commonsNamespacesContainingMetadata + else Set(Namespace.Main, Namespace.Template, Namespace.Category) + + private val quad = QuadBuilder(language, DBpediaDatasets.Redirects, wikiPageRedirectsProperty, null) _ + + override def extract(page : WikiPageWithRevisions, subjectUri : String): Seq[Quad] = { + if (page.isRedirect && page.title.namespace == page.redirect.namespace) { + return Seq(quad(subjectUri, language.resourceUri.append(page.redirect.decodedWithNamespace), page.sourceIri)) + } + + Seq.empty + } +} diff --git a/history/src/main/scala/org/dbpedia/extraction/mappings/Redirects2.scala b/history/src/main/scala/org/dbpedia/extraction/mappings/Redirects2.scala new file mode 100644 index 0000000000..8e26d11906 --- /dev/null +++ b/history/src/main/scala/org/dbpedia/extraction/mappings/Redirects2.scala @@ -0,0 +1,229 @@ +package org.dbpedia.extraction.mappings + +import org.dbpedia.extraction.sources.{Source, Source2} +import org.dbpedia.extraction.util.Language +import org.dbpedia.extraction.wikiparser._ +import org.dbpedia.extraction.wikiparser.impl.wikipedia.Redirect + +import java.io._ +import java.util.logging.{Level, Logger} +import scala.collection.mutable.{HashMap, HashSet} + +/** + * Holds the redirects between wiki pages + * At the moment, only redirects between Templates are considered + * + * @param map Redirect map. Contains decoded template titles. + */ +// FIXME: this class is a hack. Resolving redirects is a central part of DBpedia and should be done +// right and more explicitly. This class is trying to do too much under the hood. +// FIXME: this class does basically the same thing as RedirectExtractor, just differently. +//TODO make map private? +//TODO language dependent +class Redirects2(val map : Map[String, String]) extends java.io.Serializable +{ + /** + * Resolves a redirect. + * + * @param title The title of the page + * @return If this page is a redirect, the destination of the redirect. + * If this page is not a redirect, the page itself. + */ + def resolve(title : WikiTitle) : WikiTitle = + { + // if there is no redirect for given title, just return same object + if (! map.contains(title.decoded)) return title + + //Remember already visited pages to avoid cycles + val visited = new HashSet[String]() + + //Follows redirects + var currentTitle = title.decoded + while(!visited.contains(currentTitle)) + { + visited.add(currentTitle) + map.get(currentTitle) match + { + case Some(destinationTitle) => currentTitle = destinationTitle + case None => return new WikiTitle(currentTitle, Namespace.Template, title.language) + } + } + + //Detected a cycle + title + } + + /** + * TODO: comment. What does this method do? + */ + def resolveMap[T](mappings : Map[String, T]) : Map[String, T] = + { + val resolvedMappings = new HashMap[String, T]() + + for((source, destination) <- map if !mappings.contains(source)) + { + //Remember already visited pages to avoid cycles + val visited = new HashSet[String]() + visited.add(source) + + //Compute transitive hull + var lastDestination = source + var currentDestination = destination + while(currentDestination != null && !visited.contains(currentDestination)) + { + visited.add(currentDestination) + lastDestination = currentDestination + currentDestination = map.get(currentDestination).getOrElse(null) + } + + //Add to redirect map + for(destinationT <- mappings.get(lastDestination)) + { + resolvedMappings(source) = destinationT + } + } + + for ((source, destination) <- map if !mappings.contains(destination)) { + if (mappings.contains(source)) { + resolvedMappings(destination) = mappings(source) + } + } + + mappings ++ resolvedMappings + } +} + +/** + * Loads redirects from a cache file or source of Wiki pages. + * At the moment, only redirects between Templates are considered + */ +object Redirects2 +{ + private val logger = Logger.getLogger(classOf[Redirects].getName) + + /** + * Tries to load the redirects from a cache file. + * If not successful, loads the redirects from a source. + * Updates the cache after loading the redirects from the source. + */ + def load(source : Source2, cache : File, lang : Language) : Redirects2 = + { + //Try to load redirects from the cache + try + { + return loadFromCache(cache) + } + catch + { + case ex : Exception => logger.log(Level.INFO, "Will extract redirects from source for "+lang.wikiCode+" wiki, could not load cache file '"+cache+"': "+ex) + } + + //Load redirects from source + val redirects = loadFromSource(source, lang) + + val dir = cache.getParentFile + if (! dir.exists && ! dir.mkdirs) throw new IOException("cache dir ["+dir+"] does not exist and cannot be created") + val outputStream = new ObjectOutputStream(new FileOutputStream(cache)) + try + { + outputStream.writeObject(redirects.map) + } + finally + { + outputStream.close() + } + logger.info(redirects.map.size + " redirects written to cache file "+cache) + + redirects + } + + /** + * Loads the redirects from a cache file. + */ + private def loadFromCache(cache : File) : Redirects2 = + { + logger.info("Loading redirects from cache file "+cache) + val inputStream = new ObjectInputStream(new FileInputStream(cache)) + try + { + val redirects = new Redirects2(inputStream.readObject().asInstanceOf[Map[String, String]]) + + logger.info(redirects.map.size + " redirects loaded from cache file "+cache) + redirects + } + finally + { + inputStream.close() + } + } + + /** + * Loads the redirects from a source. + */ + def loadFromSource(source: Source2, lang: Language): Redirects2 = { + logger.info("Loading redirects from source (" + lang.wikiCode + ")") + + val redirectFinder = new RedirectFinder(lang) + + // TODO: usually, flatMap can be applied to Option, but not here. That's why + // RedirectFinder.apply returns a List, not an Option. Some implicit missing? + val redirects = new Redirects2(source.flatMap(redirectFinder).toMap) + + logger.info("Redirects loaded from source (" + lang.wikiCode + ")") + redirects + } + + private class RedirectFinder(lang : Language) extends (WikiPageWithRevisions => List[(String, String)]) + { + val regex = buildRegex + + private def buildRegex = { + val redirects = Redirect(lang).mkString("|") + // (?ius) enables CASE_INSENSITIVE UNICODE_CASE DOTALL + // case insensitive and unicode are important - that's what mediawiki does. + // Note: Although we do not specify a Locale, UNICODE_CASE does mostly the right thing. + // DOTALL means that '.' also matches line terminators. + // Reminder: (?:...) are non-capturing groups, '*?' is a reluctant qualifier. + // (?:#[^\n]*?)? is an optional (the last '?') non-capturing group meaning: there may + // be a '#' after which everything but line breaks is allowed ('[]{}|<>' are not allowed + // before the '#'). The match is reluctant ('*?'), which means that we recognize ']]' + // as early as possible. + // (?:\|[^\n]*?)? is another optional non-capturing group that reluctantly consumes + // a '|' character and everything but line breaks after it. + ("""(?ius)\s*(?:"""+redirects+""")\s*:?\s*\[\[([^\[\]{}|<>\n]+(?:#[^\n]*?)?)(?:\|[^\n]*?)?\]\].*""").r + } + + override def apply(page : WikiPageWithRevisions) : List[(String, String)]= + { + var destinationTitle : WikiTitle = + page.source match { + case regex(destination) => { + try { + + WikiTitle.parse(destination, page.title.language) + } + catch { + case ex : WikiParserException => { + Logger.getLogger(Redirects.getClass.getName).log(Level.WARNING, "Couldn't parse redirect destination", ex) + null + } + } + } + case _ => null + } + + if (destinationTitle != page.redirect) { + Logger.getLogger(Redirects.getClass.getName).log(Level.WARNING, "wrong redirect. page: ["+page.title+"].\nfound by dbpedia: ["+destinationTitle+"].\nfound by wikipedia: ["+page.redirect+"]") + } + + if(destinationTitle != null && page.title.namespace == Namespace.Template && destinationTitle.namespace == Namespace.Template) + { + List((page.title.decoded, destinationTitle.decoded)) + } + else + { + Nil + } + } + } +} \ No newline at end of file diff --git a/history/src/main/scala/org/dbpedia/extraction/mappings/RevisionNode.scala b/history/src/main/scala/org/dbpedia/extraction/mappings/RevisionNode.scala new file mode 100644 index 0000000000..f7a058a62d --- /dev/null +++ b/history/src/main/scala/org/dbpedia/extraction/mappings/RevisionNode.scala @@ -0,0 +1,40 @@ +package org.dbpedia.extraction.mappings + +import org.dbpedia.extraction.wikiparser.Node +/** + * Represents a page. + * + * @param id The page ID + * @param parentId Id the the parent revision + * @param timestamp The timestamp of the revision, in milliseconds since 1970-01-01 00:00:00 UTC + * @param contributorID The ID of the contributor + * @param contributorName The name of the contributor + * @param contributorIP IP of the contributor + * @param comment The revision comment added by the contributor + * @param text_size Size of the revision content + * @param minor_edit Flag if revision is minor + */ +class RevisionNode( + val id: Long, + val parentId: Long, + val timestamp: Long, + val contributorID: Long, + val contributorName: String, + val contributorIP: String, + val comment: String, + val text_size: Long, + val minor_edit: Boolean) + extends Node(List.empty, 0) + { + + def toWikiText = children.map(_.toWikiText).mkString + + def toPlainText = children.map(_.toPlainText).mkString + + override def equals(obj: scala.Any) = obj match { + case otherRevisionNode: RevisionNode => (otherRevisionNode.id == id && otherRevisionNode.parentId == parentId && otherRevisionNode.timestamp == timestamp + && otherRevisionNode.contributorID == contributorID && otherRevisionNode.contributorName == contributorName ) + case _ => false + } + +} \ No newline at end of file diff --git a/history/src/main/scala/org/dbpedia/extraction/mappings/RevisionNodeExtractor.scala b/history/src/main/scala/org/dbpedia/extraction/mappings/RevisionNodeExtractor.scala new file mode 100644 index 0000000000..bfa5393c52 --- /dev/null +++ b/history/src/main/scala/org/dbpedia/extraction/mappings/RevisionNodeExtractor.scala @@ -0,0 +1,3 @@ +package org.dbpedia.extraction.mappings + +trait RevisionNodeExtractor extends Extractor[RevisionNode] diff --git a/history/src/main/scala/org/dbpedia/extraction/mappings/WikiPageWithRevisionsExtractor.scala b/history/src/main/scala/org/dbpedia/extraction/mappings/WikiPageWithRevisionsExtractor.scala new file mode 100644 index 0000000000..3e055ae6c3 --- /dev/null +++ b/history/src/main/scala/org/dbpedia/extraction/mappings/WikiPageWithRevisionsExtractor.scala @@ -0,0 +1,10 @@ +package org.dbpedia.extraction.mappings + +import org.dbpedia.extraction.wikiparser.WikiPageWithRevisions + +/** + * Extractors are mappings that extract data from a WikiPage. + * Necessary to get some type safety in CompositeExtractor: + * Class[_ <: Extractor] can be checked at runtime, but Class[_ <: Mapping[PageNode]] can not. + */ +trait WikiPageWithRevisionsExtractor extends Extractor[WikiPageWithRevisions] diff --git a/history/src/main/scala/org/dbpedia/extraction/sources/Source2.scala b/history/src/main/scala/org/dbpedia/extraction/sources/Source2.scala new file mode 100644 index 0000000000..1c7c24c01d --- /dev/null +++ b/history/src/main/scala/org/dbpedia/extraction/sources/Source2.scala @@ -0,0 +1,26 @@ +package org.dbpedia.extraction.sources + +import org.dbpedia.extraction.wikiparser.{WikiPage, WikiPageWithRevisions} + +import scala.collection.immutable.Traversable + +/** + * A source of wiki pages. + * TODO: do we need this class? Methods that have a paramater with this type are not as flexible + * as they could be, for example they cannot be called with List(page). The only advantage of + * this class seems to be the definition hasDefiniteSize = false, which can easily be added to + * any Traversable implementations that actually need it. We should clearly document in which + * cases hasDefiniteSize = false is useful or necessary. The Scala documentation doesn't help + * much here. Traversable also defines all kinds of methods - for example size() - that call + * foreach() and iterate over the whole collection, which for most of our sources is a huge + * waste. Even calling head() causes a big overhead, for example a file or a network connection + * is opened. Is there a more appropriate Scala type? + */ + +trait Source2 extends Traversable[WikiPageWithRevisions] with java.io.Serializable +{ + /** + * True, if this source is guaranteed to have a finite size. + */ + override def hasDefiniteSize = false +} diff --git a/history/src/main/scala/org/dbpedia/extraction/sources/XMLSource2.scala b/history/src/main/scala/org/dbpedia/extraction/sources/XMLSource2.scala new file mode 100644 index 0000000000..cc163dd7ae --- /dev/null +++ b/history/src/main/scala/org/dbpedia/extraction/sources/XMLSource2.scala @@ -0,0 +1,205 @@ +package org.dbpedia.extraction.sources + +import org.dbpedia.extraction.util.Language +import org.dbpedia.extraction.wikiparser.{WikiPage, WikiPageWithRevisions, WikiTitle} + +import java.io.{File, FileInputStream, InputStreamReader, Reader} +import java.lang +import java.util.concurrent.{Callable, ExecutorService, Executors} +import scala.collection.JavaConversions._ +import scala.util.Try +import scala.xml.Elem + +/** + * Loads wiki pages from an XML stream using the MediaWiki export format. + * + * The MediaWiki export format is specified by + * http://www.mediawiki.org/xml/export-0.4 + * http://www.mediawiki.org/xml/export-0.5 + * http://www.mediawiki.org/xml/export-0.6 + * http://www.mediawiki.org/xml/export-0.8 + * etc. + */ +object XMLSource2 +{ + /** + * Creates an XML Source from an input stream. + * + * @param file The input stream to read from. Will be closed after reading. + * @param filter Function to filter pages by their title. Pages for which this function returns false, won't be yielded by the source. + * @param language if given, parser expects file to be in this language and doesn't read language from siteinfo element + */ + def fromFile(file: File, language: Language, filter: WikiTitle => Boolean = _ => true): Source2 = { + fromReader(() => new InputStreamReader(new FileInputStream(file), "UTF-8"), language, filter) + } + + def fromMultipleFiles(files: List[File], language: Language, filter: WikiTitle => Boolean = _ => true): Source2 = { + fromReaders(files.map { f => () => new InputStreamReader(new FileInputStream(f), "UTF-8") }, language, filter) + } + + /** + * Creates an XML Source from a reader. + * + * @param source The input stream to read from. Will be closed after reading. + * @param filter Function to filter pages by their title. Pages for which this function returns false, won't be yielded by the source. + * @param language if given, parser expects file to be in this language and doesn't read language from siteinfo element + */ + def fromReader(source: () => Reader, language: Language, filter: WikiTitle => Boolean = _ => true) : Source2 = { + + System.out.print("fromReader - XMLReaderSource2 "); + new XMLReaderSource2(source, language, filter) + } + + def fromReaders(sources: Seq[() => Reader], language: Language, filter: WikiTitle => Boolean = _ => true): Source2 = { + + System.out.print("fromReaders - MultipleXMLReaderSource2 "); + if (sources.size == 1) fromReader(sources.head, language, filter) // no need to create an ExecutorService + else new MultipleXMLReaderSource2(sources, language, filter) + } + + /** + * Creates an XML Source from a parsed XML tree. + * + * @param xml The xml which contains the pages + */ + // def fromXML(xml : Elem, language: Language) : Source2 = new XMLSource2(xml, language) + + /** + * Creates an XML Source from a parsed XML OAI response. + * + * @param xml The xml which contains the pages + */ + // def fromOAIXML(xml : Elem) : Source2 = new OAIXMLSource2(xml) + +} + +/** + * XML source which reads from a file + */ +private class MultipleXMLReaderSource2(sources: Seq[() => Reader], language: Language, filter: WikiTitle => Boolean) extends Source2 +{ + var executorService : ExecutorService = _ + + override def foreach[U](proc : WikiPageWithRevisions => U) : Unit = { + + System.out.print("MultipleXMLReaderSource2 "); + if (executorService == null) executorService = Executors.newFixedThreadPool(Runtime.getRuntime.availableProcessors()) + + try { + + def tasks = sources.map { source => + new Callable[Unit]() { + def call() { + val reader = source() + + try new WikipediaDumpParserHistory(reader, language, filter.asInstanceOf[WikiTitle => lang.Boolean], proc).run() + finally reader.close() + } + } + } + + // Wait for the tasks to finish + executorService.invokeAll(tasks) + + } finally { + executorService.shutdown() + executorService = null + } + } + + override def hasDefiniteSize = true +} + +/** + * XML source which reads from a file + */ +private class XMLReaderSource2(source: () => Reader, language: Language, filter: WikiTitle => Boolean) extends Source2 +{ + override def foreach[U](proc : WikiPageWithRevisions => U) : Unit = { + System.out.print("XMLReaderSource2 - readPages") + val reader = source() + try new WikipediaDumpParserHistory(reader, language, filter.asInstanceOf[WikiTitle => java.lang.Boolean], proc).run() + finally reader.close() + System.out.print("END XMLReaderSource2 - readPages") + + } + + override def hasDefiniteSize = true +} + +/** + * XML source which reads from a parsed XML tree. + */ +/*private class XMLSource2(xml : Elem, language: Language) extends Source2 +{ + override def foreach[U](f : WikiPageWithRevisions => U) : Unit = + { + + for(page <- xml \ "page"; + rev <- page \ "revision") + { + + val title = WikiTitle.parseCleanTitle((page \ "title").text, language, Try{new java.lang.Long(java.lang.Long.parseLong((page \ "id").text))}.toOption) + + val nsElem = page \ "ns" + if (nsElem.nonEmpty ) + { + try + { + val nsCode = nsElem.text.toInt + require(title.namespace.code == nsCode, "XML Namespace (" + nsCode + ") does not match the computed namespace (" + title.namespace + ") in page: " + title.decodedWithNamespace) + } + catch + { + case e: NumberFormatException => throw new IllegalArgumentException("Cannot parse content of element [ns] as int", e) + } + } + + //Skip bad titles + if(title != null) + { + val _redirect = (page \ "redirect" \ "@title").text match + { + case "" => null + case t => WikiTitle.parse(t, language) + } + val _contributorID = (rev \ "contributor" \ "id").text match + { + case null => "0" + case id => id + } + /* f( new WikiPageWithRevisions( title = title, + redirect = _redirect, + id = (page \ "id").text, + revision = (rev \ "id").text, + timestamp = (rev \ "timestamp").text, + contributorID = _contributorID, + contributorName = if (_contributorID == "0") (rev \ "contributor" \ "ip" ).text + else (rev \ "contributor" \ "username" ).text, + source = (rev \ "text").text, + format = (rev \ "format").text) */ + } + } + } + + override def hasDefiniteSize = true +}*/ + +/** + * OAI XML source which reads from a parsed XML response. + */ +/*private class OAIXMLSource2(xml : Elem) extends Source2 +{ + override def foreach[U](f : WikiPage => U) : Unit = + { + + val lang = if ( (xml \\ "mediawiki" \ "@{http://www.w3.org/XML/1998/namespace}lang").text == null) "en" + else (xml \\ "mediawiki" \ "@{http://www.w3.org/XML/1998/namespace}lang").text + val source = new XMLSource2( (xml \\ "mediawiki").head.asInstanceOf[Elem], Language.apply(lang)) + source.foreach(wikiPageWithRevisions => { + f(wikiPageWithRevisions) + }) + } + + override def hasDefiniteSize = true +}*/ diff --git a/history/src/main/scala/org/dbpedia/extraction/util/DumpExtractionContext2.scala b/history/src/main/scala/org/dbpedia/extraction/util/DumpExtractionContext2.scala new file mode 100644 index 0000000000..f0d3277951 --- /dev/null +++ b/history/src/main/scala/org/dbpedia/extraction/util/DumpExtractionContext2.scala @@ -0,0 +1,32 @@ +package org.dbpedia.extraction.util + +import org.dbpedia.extraction.mappings.{Disambiguations, Mappings, Redirects, Redirects2} +import org.dbpedia.extraction.ontology.Ontology +import org.dbpedia.extraction.sources.Source2 +import org.dbpedia.extraction.wikiparser.WikiPageWithRevisions + +/** + * TODO: remove this class. Different extractors need different resources. We should use some kind + * of dependency injection (not necessarily a framework, Scala should be flexible enough). That + * would also make configuration much easier and more flexible. No more loading of classes by name. + * + * Problems with the current approach: + * - unflexible + * - we lose static type safety because of + * - reflection when the extractor objects are created + * - structural types in extractor constructors + */ +trait DumpExtractionContext2 +{ + def ontology : Ontology + + + def language : Language + + + def articlesSource : Source2 + + def redirects : Redirects2 + + def disambiguations : Disambiguations +} diff --git a/history/src/main/scala/org/dbpedia/extraction/util/ExtractionRecorder2.scala b/history/src/main/scala/org/dbpedia/extraction/util/ExtractionRecorder2.scala new file mode 100644 index 0000000000..32e8770723 --- /dev/null +++ b/history/src/main/scala/org/dbpedia/extraction/util/ExtractionRecorder2.scala @@ -0,0 +1,570 @@ +package org.dbpedia.extraction.util + +import java.io.{ByteArrayOutputStream, Writer} +import java.net.SocketTimeoutException +import java.nio.charset.Charset +import java.text.DecimalFormat +import java.util.concurrent.atomic.AtomicLong +import org.apache.jena.atlas.json.{JSON, JsonArray, JsonObject} +import org.dbpedia.extraction.config.provenance.Dataset +import org.dbpedia.extraction.mappings.ExtractionMonitor2 +import org.dbpedia.extraction.transform.Quad +import org.dbpedia.extraction.config.Config.SlackCredentials +import org.dbpedia.extraction.wikiparser.{PageNode, WikiPageWithRevisions, WikiTitle} + +import scala.collection.mutable +import scala.collection.mutable.ListBuffer +import scalaj.http.Http + +/** + * Created by Chile on 11/3/2016. + */ +class ExtractionRecorder2[T]( + val logWriter: Writer = null, + val reportInterval: Int = 100000, + val preamble: String = null, + val slackCredantials: SlackCredentials = null, + val datasets: ListBuffer[Dataset] = ListBuffer[Dataset](), + val language: Language = Language.English, + val monitor: ExtractionMonitor2 = null + ) { + + def this(er: ExtractionRecorder2[T]) = this(er.logWriter, er.reportInterval, er.preamble, er.slackCredantials) + + private var failedPageMap = Map[Language, scala.collection.mutable.Map[(String, T), Throwable]]() + private var successfulPagesMap = Map[Language, scala.collection.mutable.Map[Long, WikiTitle]]() + + private val startTime = new AtomicLong() + private var successfulPageCount = Map[Language,AtomicLong]() + private var successfulTripleCount = Map[Dataset, AtomicLong]() + + private var defaultLang: Language = Language.English + + private val decForm = new DecimalFormat("#.##") + + private var slackIncreaseExceptionThreshold = 1 + + private var task: String = "transformation" + private var initialized = false + + private var writerOpen = if(logWriter == null) false else true + + + /** + * A map for failed pages, which could be used for a better way to record extraction fails than just a simple console output. + * + * @return the failed pages (id, title) for every Language + */ + def listFailedPages: Map[Language, mutable.Map[(String, T), Throwable]] = failedPageMap + + /** + * successful page count + * + * @param lang - for this language + * @return + */ + def successfulPages(lang: Language): Long = successfulPageCount.get(lang) match{ + case Some(m) => m.get() + case None => 0 + } + + def successfulTriples(dataset : Dataset): Long = successfulTripleCount.get(dataset) match { + case Some(m) => m.get() + case None => 0 + } + + /** + * get successful page count after increasing it by one + * + * @param lang - for this language + * @return + */ + def increaseAndGetSuccessfulPages(lang: Language): Long ={ + successfulPageCount.get(lang) match { + case Some(ai) => ai.incrementAndGet() + case None => + successfulPageCount += (lang -> new AtomicLong(1)) + 1 + } + } + + def increaseAndGetSuccessfulTriples(dataset: Dataset) : Long = { + successfulTripleCount.get(dataset) match { + case Some(ai) => ai.incrementAndGet() + case None => + successfulTripleCount += (dataset -> new AtomicLong(1)) + 1 + } + } + + /** + * number of failed pages + * + * @param lang - for this language + * @return + */ + def failedPages(lang: Language): Long = failedPageMap.get(lang) match{ + case Some(m) => m.size + case None => 0 + } + + /** + * the current accumulated page number + * + * @param lang - for this language + * @return + */ + def runningPageNumber(lang:Language): Long = successfulPages(lang) + failedPages(lang) + + /** + * prints a message of a RecordEntry2 if available and + * assesses a RecordEntry2 for the existence of a Throwable and forwards + * the record to the suitable method for a failed or successful extraction + * + * @param records - the RecordEntries for a WikiPage + */ + def record(records: RecordEntry2[T]*): Unit = { + for(record <- records) { + //val count = increaseAndGetSuccessfulPages(record.language) + record.page match{ + case page: WikiPageWithRevisions => + if (record.errorMsg != null) + printLabeledLine(record.errorMsg, record.severity, page.title.language, Seq(PrinterDestination.err, PrinterDestination.file)) + Option(record.error) match { + case Some(ex) => failedRecord(record.identifier, record.page, ex, record.language) + case None => recordExtractedPage(page.id, page.title, record.logSuccessfulPage) + } + case quad: Quad => + Option(record.error) match { + case Some(ex) => failedRecord(record.identifier, record.page, ex, record.language) + case None => recordQuad(quad, record.severity, record.language) + } + case _ => + val msg = Option(record.errorMsg) match{ + case Some(m) => printLabeledLine(m, record.severity, record.language) + case None => + if(record.error != null) failedRecord(null, record.page, record.error, record.language) + else recordGenericPage(record.language, record.page.toString) + } + } + } + } + + /** + * adds a new fail record for a wikipage which failed to extract; Optional: write fail to log file (if this has been set before) + * + * @param id - page id + * @param node - PageNode of page + * @param exception - the Throwable responsible for the fail + */ + def failedRecord(id: String, node: T, exception: Throwable, language:Language = null): Unit = synchronized{ + val lang = if(language != null) language else defaultLang + val tag = node match{ + case p: PageNode => "page" + case q: Quad => "quad" + case _ => "instance" + } + failedPageMap.get(lang) match{ + case Some(map) => map += ((id,node) -> exception) + case None => failedPageMap += lang -> mutable.Map[(String, T), Throwable]((id, node) -> exception) + } + val line = "{task} failed for " + tag + " " + id + ": " + exception.getMessage + printLabeledLine(line, RecordSeverity.Exception, lang, Seq(PrinterDestination.err, PrinterDestination.file)) + for (ste <- exception.getStackTrace) + printLabeledLine("\t" + ste.toString, RecordSeverity.Exception, lang, Seq(PrinterDestination.file), noLabel = true) + + if(slackCredantials != null && failedPages(lang) % (slackCredantials.exceptionThreshold * slackIncreaseExceptionThreshold) == 0) + forwardExceptionWarning(lang) + + // if(monitor != null) monitor.reportError(this, exception) + + } + + /** + * adds a record of a successfully extracted page + * + * @param id - page id + * @param title - page title + * @param logSuccessfulPage - indicates whether the event of a successful extraction shall be included in the log file (default = false) + */ + def recordExtractedPage(id: Long, title: WikiTitle, logSuccessfulPage:Boolean = false): Unit = synchronized { + if(logSuccessfulPage) { + successfulPagesMap.get(title.language) match { + case Some(map) => map += (id -> title) + case None => successfulPagesMap += title.language -> mutable.Map[Long, WikiTitle](id -> title) + } + printLabeledLine("page " + id + ": " + title.encoded + " extracted", RecordSeverity.Info, title.language, Seq(PrinterDestination.file)) + } + val pages = increaseAndGetSuccessfulPages(title.language) + if(pages % reportInterval == 0) + printLabeledLine("extracted {page} pages; {mspp} per page; {fail} failed pages", RecordSeverity.Info, title.language) + if(slackCredantials != null && pages % slackCredantials.summaryThreshold == 0) + forwardSummary(title.language) + } + + def recordGenericPage(lang: Language, line: String = null): Unit ={ + val pages = increaseAndGetSuccessfulPages(lang) + val l = if(line == null) "processed {page} instances; {mspp} per instance; {fail} failed instances" else line + if(pages % reportInterval == 0) + printLabeledLine(l, RecordSeverity.Info, lang) + if(slackCredantials != null && pages % slackCredantials.summaryThreshold == 0) + forwardSummary(lang) + } + + /** + * record (successful) quad + * + * @param quad + * @param lang + */ + def recordQuad(quad: Quad, severity: RecordSeverity.Value, lang:Language): Unit = synchronized { + if(increaseAndGetSuccessfulPages(lang) % reportInterval == 0) + printLabeledLine("processed {page} quads; {mspp} per quad; {fail} failed quads", severity, lang) + } + + /** + * print a line to std out, err or the log file + * + * @param line - the line in question + * @param language - langauge of current page + * @param print - enum values for printer destinations (err, out, file - null mean all of them) + * @param noLabel - the initial label (lang: time passed) is omitted + */ + def printLabeledLine(line:String, severity: RecordSeverity.Value, language: Language = null, print: Seq[PrinterDestination.Value] = null, noLabel: Boolean = false): Unit ={ + val lang = if(language != null) language else defaultLang + val printOptions = if(print == null) { + if(severity == RecordSeverity.Exception ) + Seq(PrinterDestination.err, PrinterDestination.out, PrinterDestination.file) + else if(severity == RecordSeverity.Info) + Seq(PrinterDestination.out, PrinterDestination.file) + else + Seq(PrinterDestination.file) + } else print + + val status = getStatusValues(lang) + val replacedLine = (if (noLabel) "" else severity.toString + "; " + lang.wikiCode + "; {task} at {time} for {data}; ") + line + val pattern = "\\{\\s*\\w+\\s*\\}".r + var lastend = 0 + var resultString = "" + for(matchh <- pattern.findAllMatchIn(replacedLine)){ + resultString += replacedLine.substring(lastend, matchh.start) + resultString += (Option(matchh.matched) match{ + case Some(m) => + m match{ + case i if i == "{time}" => status("time") + case i if i == "{mspp}" => status("mspp") + case i if i == "{page}" => status("pages") + case i if i == "{erate}" => status("erate") + case i if i == "{fail}" => status("failed") + case i if i == "{data}" => status("dataset") + case i if i == "{task}" => status("task") + case _ => "" + } + case None => "" + }) + lastend = matchh.end + } + resultString += replacedLine.substring(lastend) + + for(pr <-printOptions) + pr match{ + case PrinterDestination.err => System.err.println(resultString) + case PrinterDestination.out => System.out.println(resultString) + case PrinterDestination.file if writerOpen => logWriter.append(resultString + "\n") + case _ => + } + } + + def getStatusValues(lang: Language): Map[String, String] = { + val pages = successfulPages(lang) + val time = System.currentTimeMillis - startTime.get + val failed = failedPages(lang) + val datasetss = if(datasets.nonEmpty && datasets.size <= 3) + datasets.foldLeft[String]("")((x,y) => x + ", " + y.encoded).substring(2) + else + String.valueOf(datasets.size) + " datasets" + + Map("pages" -> pages.toString, + "failed" -> failed.toString, + "mspp" -> (decForm.format(time.toDouble / pages) + " ms"), + "erate" -> (if(failed == 0) "0" else ((pages+failed) / failed).toString), + "dataset" -> datasetss, + "time" -> StringUtils.prettyMillis(time), + "task" -> task + ) + } + + def initialize(lang: Language, task: String = "transformation", datasets: Seq[Dataset] = Seq()): Boolean ={ + if(initialized) + return false + this.failedPageMap = Map[Language, scala.collection.mutable.Map[(String, T), Throwable]]() + this.successfulPagesMap = Map[Language, scala.collection.mutable.Map[Long, WikiTitle]]() + this.successfulPageCount = Map[Language,AtomicLong]() + this.successfulTripleCount = Map[Dataset, AtomicLong]() + + this.startTime.set(System.currentTimeMillis) + this.defaultLang = lang + this.task = task + this.datasets ++= datasets + + // if(monitor != null) + // monitor.init(this) + + if(preamble != null) + printLabeledLine(preamble, RecordSeverity.Info, lang) + + val line = "Extraction started for language: " + lang.name + " (" + lang.wikiCode + ")" + (if (datasets.nonEmpty) " on " + datasets.size + " datasets." else "") + printLabeledLine(line, RecordSeverity.Info, lang) + forwardExtractionOverview(lang, line) + initialized = true + true + } + + override def finalize(): Unit ={ + if(writerOpen){ + logWriter.close() + writerOpen = false + } + + // if(monitor != null) { + // printMonitorSummary(monitor.summarize(this, datasets)) + //} + + val line = "Extraction finished for language: " + defaultLang.name + " (" + defaultLang.wikiCode + ") " + + (if(datasets.nonEmpty) ", extracted " + successfulPages(defaultLang) + " pages for " + datasets.size + " datasets after " + StringUtils.prettyMillis(System.currentTimeMillis - startTime.get) + " minutes." else "") + printLabeledLine(line, RecordSeverity.Info, defaultLang) + forwardSimpleLine(line) + + super.finalize() + } + + def resetFailedPages(lang: Language) = failedPageMap.get(lang) match{ + case Some(m) => + m.clear() + successfulPageCount(lang).set(0) + case None => + } + + object PrinterDestination extends Enumeration { + val out, err, file = Value + } + + /** + * the following methods will post messages to a Slack webhook if the Slack-Cedentials are available in the config file + */ + var lastExceptionMsg = new java.util.Date().getTime + + /** + * forward an exception summary to slack + * (will increase the slack-exception-threshold by factor 2 if two of these messages are fired within 2 minutes) + * @param lang + */ + def forwardExceptionWarning(lang: Language) : Unit = + { + if(slackCredantials == null) + return + //if error warnings are less than 2 min apart increase threshold + if((new java.util.Date().getTime - lastExceptionMsg) / 1000 < 120) + slackIncreaseExceptionThreshold = slackIncreaseExceptionThreshold*2 + lastExceptionMsg = new java.util.Date().getTime + + val attachments = new JsonArray() + val attachment = getAttachment("Multiple pages failed to be extracted.", if(slackIncreaseExceptionThreshold < 5) "warning" else "danger") + val fields = new JsonArray() + attachment.put("fields", fields) + attachments.add(attachment) + addKeyValue(fields, "Number of exceptions", failedPages(lang).toString) + + val data = defaultMessage("Exception status report for language " + lang.name, null, attachments) + + sendCurl(slackCredantials.webhook.toString, data) + } + + def forwardSummary(lang: Language) : Unit = + { + if(slackCredantials == null) + return + val status = getStatusValues(lang) + val attachments = new JsonArray() + val attachment = getAttachment("Status Report of " + status("task"), "#36a64f") + val fields = new JsonArray() + addKeyValue(fields, "extracted pages:", status("pages")) + if(status("dataset").nonEmpty) + addKeyValue(fields, "extracted datasets:", status("dataset")) + addKeyValue(fields, "time elapsed: ", status("time")) + addKeyValue(fields, "per page: ", status("mspp")) + addKeyValue(fields, "failed pages: ", status("failed")) + attachment.put("fields", fields) + attachments.add(attachment) + + sendCurl(slackCredantials.webhook.toString, defaultMessage("Summary report for extraction of language " + lang.name + " (" + lang.wikiCode + ")", null, attachments)) + } + + def forwardExtractionOverview(lang: Language, msg: String) : Unit ={ + if(slackCredantials == null || datasets.isEmpty) + return + val attachments = new JsonArray() + val attachment = getAttachment("The datasets extracted are:", "#439FE0") + val fields = new JsonArray() + + for(dataset <- datasets.sortBy(x => x.encoded)){ + val field = new JsonObject() + field.put("title", dataset.name) + field.put("value", dataset.versionUri) + field.put("short", false) + fields.add(field) + } + + attachment.put("fields", fields) + attachments.add(attachment) + + sendCurl(slackCredantials.webhook.toString, defaultMessage(msg, null, attachments)) + } + + def forwardSimpleLine(line: String) : Unit = + { + if(slackCredantials == null) + return + + sendCurl(slackCredantials.webhook.toString, defaultMessage(line, null)) + } + + def getAttachment(attachMsg: String, color: String): JsonObject = + { + val attachment = new JsonObject() + attachment.put("title", attachMsg) + val fields = new JsonArray() + attachment.put("fields", fields) + attachment.put("color", color) + attachment + } + + def addKeyValue(array: JsonArray, key: String, value: String): Unit = + { + val left = new JsonObject() + left.put("value", key) + left.put("short", true) + val right = new JsonObject() + right.put("value", value) + right.put("short", true) + array.add(left) + array.add(right) + } + + def defaultMessage(mainText: String, subText: String, attachments: JsonArray = null): JsonObject = + { + val data = new JsonObject() + data.put("text", mainText) + if(subText != null) + data.put("pretext", subText) + data.put("username", slackCredantials.username) + data.put("icon_emoji", ":card_index:") + + if(attachments != null) + data.put("attachments", attachments) + data + } + + def sendCurl(url: String, data: JsonObject): Boolean = + { + try { + val baos = new ByteArrayOutputStream() + JSON.write(baos, data) + val resp = Http(url).postData(new String(baos.toByteArray, Charset.defaultCharset())).asString + if (resp.code != 200) { + System.err.println(resp.body) + } + true + } + catch{ + case e : SocketTimeoutException => false + } + } + + def printMonitorSummary(summaryMap : mutable.HashMap[String, Object]) : Unit = { + val error = summaryMap.getOrElse("EXCEPTIONCOUNT","0") + val success = summaryMap.getOrElse("SUCCESSFUL", new AtomicLong(0)) + val crashed = summaryMap.getOrElse("CRASHED", "no") + val dataIDResults = summaryMap.getOrElse("DATAID", "") + var exceptionString = "" + val exceptionMap = summaryMap.getOrElse("EXCEPTIONS", mutable.HashMap[String, Int]()) + .asInstanceOf[mutable.HashMap[String,Int]] + exceptionMap.keySet.foreach(key => exceptionString += key + ": " + exceptionMap(key)) + + var errString = "" + var outString = "" + + // Summary String Building: + // Complete Statistic on Severity-Level Info + // Critical Error Statistic on Severity-Level Exception + + outString += (String.format("%-20s", "EXCEPTIONCOUNT:")+ s"$error")+ "\n" + + if(error.toString.toInt > 0) { + errString += (String.format("%-20s", "EXCEPTIONCOUNT:")+ s"$error")+ "\n" + } + + outString += String.format("%-20s", "SUCCESSFUL:") + success.asInstanceOf[AtomicLong].get() + "\n" + if(success.asInstanceOf[AtomicLong].get() == 0) + errString += String.format("%-20s", "SUCCESSFUL:") + success.asInstanceOf[AtomicLong].get()+ "\n" + + outString += String.format("%-20s", "CRASHED:") + s"$crashed"+ "\n" + if(crashed == "yes") + errString += String.format("%-20s", "CRASHED:") + s"$crashed"+ "\n" + + if(exceptionString != "") { + exceptionString = "EXCEPTIONS:\n" + exceptionString+ "\n" + errString += exceptionString + } + + var errDataid = "" + dataIDResults.toString.lines.foreach(line => { + outString += line + "\n" + if(line.startsWith("!")) errDataid += line + "\n" + }) + + if(errDataid != "") errString += "DATAID:\n" + errDataid + + outString = "\n----- ----- ----- EXTRACTION MONITOR STATISTICS ----- ----- -----\n" + outString + + "\n----- ----- ----- ----- ----- ----- ----- ----- ----- ----- -----" + printLabeledLine( outString, RecordSeverity.Info, defaultLang) + + if(errString != "") { + errString = "\n----- ----- ----- EXTRACTION MONITOR STATISTICS ----- ----- -----\n" + errString + + "\n----- ----- ----- ----- ----- ----- ----- ----- ----- ----- -----" + printLabeledLine( errString, RecordSeverity.Exception, defaultLang) + } + + } + + def getSuccessfulPageCount(): Map[Language,AtomicLong] = { + successfulPageCount + } + +} + +/** + * This class provides the necessary attributes to record either a successful or failed extraction + * + * @param page + * @param language + * @param errorMsg + * @param error + * @param logSuccessfulPage + */ +class RecordEntry2[T]( + val page: T, + val identifier: String, + val severity: RecordSeverity.Value, + val language: Language, + val errorMsg: String= null, + val error:Throwable = null, + val logSuccessfulPage:Boolean = false + ) + +class WikiPageWithRevisionsEntry(page : WikiPageWithRevisions) extends RecordEntry2[WikiPageWithRevisions]( + page = page, + identifier = page.uri, + severity = RecordSeverity.Info, + language = page.title.language +) diff --git a/history/src/main/scala/org/dbpedia/extraction/util/SparkExtractionContext2.scala b/history/src/main/scala/org/dbpedia/extraction/util/SparkExtractionContext2.scala new file mode 100644 index 0000000000..8efd3e27ef --- /dev/null +++ b/history/src/main/scala/org/dbpedia/extraction/util/SparkExtractionContext2.scala @@ -0,0 +1,14 @@ +package org.dbpedia.extraction.util + +import org.dbpedia.extraction.mappings.{Disambiguations, Redirects, Redirects2} +import org.dbpedia.extraction.ontology.Ontology + +trait SparkExtractionContext2 { + def ontology : Ontology + + def language : Language + + def redirects : Redirects2 + + def disambiguations : Disambiguations +} diff --git a/history/src/main/scala/org/dbpedia/extraction/wikiparser/RevisionNode.scala b/history/src/main/scala/org/dbpedia/extraction/wikiparser/RevisionNode.scala new file mode 100644 index 0000000000..db9fc7d7de --- /dev/null +++ b/history/src/main/scala/org/dbpedia/extraction/wikiparser/RevisionNode.scala @@ -0,0 +1,76 @@ +package org.dbpedia.extraction.wikiparser + +import java.time.ZonedDateTime + +/** + * Represents a revision. + * + * @param id The page ID + * @param pageUri Uri of the Page + * @param parent_Uri Uri of the parent Page + * @param timestamp The timestamp of the revision, in milliseconds since 1970-01-01 00:00:00 UTC + * @param contributorID The ID of the latest contributor + * @param contributorIP IP of the contributor + * @param contributorName The name of the latest contributor + * @param comment The revision comment added by the contributor + * @param text_size Size of the revision content + * @param minor_edit Flag if revision is minor + * @param text_delta Difference of the text size since the last revision + */ +class RevisionNode( + val id: Long, + val pageUri: String, + val parent_Uri: String, + val timestamp: String, + val contributorID: String, + val contributorName: String, + val contributorIP: String, + val contributorDeleted: Boolean, + val comment: String, + val text_size: Int, + val minor_edit: Boolean, + val text_delta: Int + ) + extends java.io.Serializable +{ + + + def this(id: String, pageUri:String, parent_Uri: String, timestamp: String, contributorID: String, contributorName: String, contributorIP: String, contributorDeleted: String, comment: String, text_size: String, minor_edit:String, text_delta: Int) = { + + this(RevisionNode.parseLong(id), pageUri, parent_Uri,timestamp, contributorID, contributorName, contributorIP, RevisionNode.parseBoolean(contributorDeleted), comment, RevisionNode.parseInt(text_size),RevisionNode.parseBoolean(minor_edit),text_delta) + } + + def getUserIDAlt: String = { + if(this.contributorID != "") this.contributorID + else if(this.contributorIP != "") this.contributorIP + else this.contributorName + } + + def getYear: String = { + ZonedDateTime.parse(this.timestamp).getYear.toString + } + + def getYearMonth: String = { + val year = ZonedDateTime.parse(this.timestamp).getYear.toString + val month = ZonedDateTime.parse(this.timestamp).getMonthValue.toString + month+"/"+year + } +} +object RevisionNode { + def parseBoolean(str: String): Boolean = { + // System.out.println(">>>>>>>>>>>>>" +str) + if (str == "false" || str.isEmpty) false + else true + } + def parseInt(str: String): Int = { + if (str == null || str.isEmpty) -1 + else str.toInt + } + + + def parseLong(str: String): Long = { + if (str == null || str.isEmpty) -1 + else str.toLong + } + +} \ No newline at end of file diff --git a/history/src/main/scala/org/dbpedia/extraction/wikiparser/WikiPageWithRevisions.scala b/history/src/main/scala/org/dbpedia/extraction/wikiparser/WikiPageWithRevisions.scala new file mode 100644 index 0000000000..e4bf9da8c7 --- /dev/null +++ b/history/src/main/scala/org/dbpedia/extraction/wikiparser/WikiPageWithRevisions.scala @@ -0,0 +1,134 @@ +package org.dbpedia.extraction.wikiparser + +import org.dbpedia.extraction.util.{RecordEntry2, RecordSeverity} +import org.dbpedia.extraction.util.StringUtils._ +import org.dbpedia.extraction.wikiparser.impl.simple.SimpleWikiParser + +import java.util +import scala.collection.mutable +import scala.collection.mutable.ListBuffer +import scala.collection.JavaConverters._ +/** + * Represents a wiki page + * + * TODO: use redirect id to check redirect extractor. Or get rid of redirect extractor. + * + * @param title The title of this page + * @param id The page ID + * @param revision The revision of this page + * @param timestamp The timestamp of the revision, in milliseconds since 1970-01-01 00:00:00 UTC + * @param contributorID The ID of the latest contributor + * @param contributorName The name of the latest contributor + * @param source The WikiText source of this page + * @param format e.g. "text/x-wiki" + */ +class WikiPageWithRevisions( + val title: WikiTitle, + val redirect: WikiTitle, + val id: Long, + val revision: Long, + val timestamp: Long, + val contributorID: Long, + val contributorName: String, + val source: String, + val format: String, + val revisions: List[RevisionNode] + ) extends java.io.Serializable +{ + private val extractionRecords = ListBuffer[RecordEntry2[WikiPageWithRevisions]]() + + + lazy val pageNode: Option[PageNode] = SimpleWikiParser(WikiPageWithRevisions.convertToWikiPage(this)) + + def uri: String = this.title.language.resourceUri.append(this.title.decodedWithNamespace) + + def isRedirect: Boolean = SimpleWikiParser.getRedirectPattern(title.language).findFirstMatchIn(this.source) match { + case Some(x) => true + case None => false + } + + private var isRetryy = false + + def toggleRetry(): Unit = { + this.isRetryy = !this.isRetryy + } + + def isRetry: Boolean = this.isRetryy + + def this(title: WikiTitle, source: String) = + this(title, null, -1, -1, -1, 0, "", source, "", List[RevisionNode]()) + + def this(title: WikiTitle, redirect: WikiTitle, id: String, revision: String, timestamp: String, contributorID: String, contributorName: String, source: String, format: String,revisions: List[RevisionNode]) = + this(title, redirect, WikiPage.parseLong(id), WikiPage.parseLong(revision), parseTimestamp(timestamp), WikiPage.parseLong(contributorID), contributorName, source, format,revisions) + + def this(title: WikiTitle, redirect: WikiTitle, id: String, revision: String, timestamp: String, contributorID: String, contributorName: String, source: String, format: String) = + this(title, redirect, WikiPage.parseLong(id), WikiPage.parseLong(revision), parseTimestamp(timestamp), WikiPage.parseLong(contributorID), contributorName, source, format, List[RevisionNode]()) + def this(title: WikiTitle, redirect: WikiTitle, id: String, revision: String, timestamp: String, contributorID: String, contributorName: String, source: String, format: String, revisions: util.ArrayList[RevisionNode]) = + this(title, redirect, WikiPage.parseLong(id), WikiPage.parseLong(revision), parseTimestamp(timestamp), WikiPage.parseLong(contributorID), contributorName, source, format, WikiPageWithRevisions.convertJavaListRevision(revisions)) + + def addExtractionRecord(RecordEntry2: RecordEntry2[WikiPageWithRevisions]): Unit = { + println("addExtractionRecord") + val severity = if (RecordEntry2.severity != null) + RecordEntry2.severity + else if ((RecordEntry2.errorMsg == null || RecordEntry2.errorMsg.trim.length == 0) && RecordEntry2.error == null) + RecordSeverity.Info + else if (RecordEntry2.error != null) + RecordSeverity.Exception + else + RecordSeverity.Warning + + extractionRecords.append(new RecordEntry2(RecordEntry2.page, RecordEntry2.page.uri, severity, RecordEntry2.page.title.language, RecordEntry2.errorMsg, RecordEntry2.error)) + } + + def addExtractionRecord(errorMsg: String = null, error: Throwable = null, severity: RecordSeverity.Value = null): Unit = { + + addExtractionRecord(new RecordEntry2[WikiPageWithRevisions](this, this.uri, severity, this.title.language, errorMsg, error)) + } + + def getExtractionRecords: mutable.Seq[RecordEntry2[WikiPageWithRevisions]] = this.extractionRecords.seq + override def toString: String = "WikiPageWithRevision(" + title + "," + id + ", with " + revisions.size+ "revisions )" + lazy val sourceIri:String = title.pageIri + "?" + (if (revision >= 0) "oldid=" + revision + "&" else "") + "ns=" + title.namespace.code + + def getUniqueContributors: Int = { + this.revisions.groupBy(_.getUserIDAlt).size + } + + def getRevPerYear: Map[String,Int] = { + this.revisions.groupBy(_.getYear).mapValues(_.size) + } + + def getRevPerYearAvgSize: Map[String, Int] = { + this.revisions.groupBy(_.getYear).map{ + case (candidate, group) => + candidate -> group.map{ _.text_size}.sum / group.size + + } + } + def getRevPerYearMonth: Map[String, Int] = { + this.revisions.groupBy(_.getYearMonth).mapValues(_.size) + } + + def getRevPerYearMonthAvgSize: Map[String, Int] = { + this.revisions.groupBy(_.getYearMonth).map { + case (candidate, group) => + candidate -> group.map { _.text_size }.sum / group.size + } + } + +} + +object WikiPageWithRevisions { + + + def convertJavaListRevision(myJavaList: util.ArrayList[RevisionNode]): List[RevisionNode] = { + myJavaList.asScala.toList + //.map(x => new RevisionNode(x)) + } + + def convertToWikiPage(wpr: WikiPageWithRevisions): WikiPage = { + new WikiPage(wpr.title,wpr.redirect,wpr.id,wpr.revision,wpr.timestamp,wpr.source) + } + + + +} diff --git a/history/src/test/resources/extraction-configs/extraction.config.properties b/history/src/test/resources/extraction-configs/extraction.config.properties new file mode 100644 index 0000000000..13deedca97 --- /dev/null +++ b/history/src/test/resources/extraction-configs/extraction.config.properties @@ -0,0 +1,27 @@ +# download and extraction target dir +#base-dir= moved to $extraction-framework/core/src/main/resources/universal.properties +base-dir=/home/cringwal/Desktop/DBpediaHistory/extraction-framework/history/sample-xml-dump + +# Source file. If source file name ends with .gz or .bz2, it is unzipped on the fly. +# Must exist in the directory xxwiki/yyyymmdd and have the prefix xxwiki-yyyymmdd- +# where xx is the wiki code and yyyymmdd is the dump date. + +# default: +#source=# moved to $extraction-framework/core/src/main/resources/universal.properties + +source=pages-articles.xml +# use only directories that contain a 'download-complete' file? Default is false. +require-download-complete=true + +# List of languages or article count ranges, e.g. 'en,de,fr' or '10000-20000' or '10000-', or '@mappings' +languages=fr + +# extractor class names starting with "." are prefixed by "org.dbpedia.extraction.mappings" + +extractors=.HistoryPageExtractor + + +# If we need to Exclude Non-Free Images in this Extraction, set this to true +copyrightCheck=false + + diff --git a/history/src/test/scala/org/dbpedia/extraction/dump/extract/ExtractionTest.scala b/history/src/test/scala/org/dbpedia/extraction/dump/extract/ExtractionTest.scala new file mode 100644 index 0000000000..ea563b2dce --- /dev/null +++ b/history/src/test/scala/org/dbpedia/extraction/dump/extract/ExtractionTest.scala @@ -0,0 +1,42 @@ +package org.dbpedia.extraction.dump + +import java.io.File +import java.util.concurrent.ConcurrentLinkedQueue +import org.apache.commons.io.FileUtils +import org.dbpedia.extraction.config.Config2 +import org.dbpedia.extraction.dump.extract.ConfigLoader2 +import org.scalatest.{BeforeAndAfterAll, DoNotDiscover, FunSuite, Tag} + +import scala.concurrent.Future +import scala.util.{Failure, Success} +import scala.concurrent.ExecutionContext.Implicits.global + +object HistoTestTag extends Tag("HistoricTest") +class ExtractionTest extends FunSuite { + + test("test Historic extraction", HistoTestTag) { + val jobsRunning = new ConcurrentLinkedQueue[Future[Unit]]()// + val classLoader: ClassLoader = getClass.getClassLoader + val histoConfig = new Config2(classLoader.getResource("extraction-configs/extraction.config.properties").getFile) + println(classLoader.getResource("extraction-configs/extraction.config.properties").getFile.toString) + println("BEFORE EXTRACT") + extract(histoConfig, jobsRunning) + println("AFTER EXTRACT") + } + + def extract(config: Config2, jobsRunning: ConcurrentLinkedQueue[Future[Unit]]): Unit = { + val configLoader = new ConfigLoader2(config) + val jobs = configLoader.getExtractionJobs + println(">>>>>>>>> EXTRACT - NBJOBS > " + jobs.size) + println("LAUNCH JOBS") + for (job <- jobs) { + job.run() + } + while (jobsRunning.size() > 0) { + + Thread.sleep(1000) + } + + jobsRunning.clear() + } +} \ No newline at end of file diff --git a/mappings/Mapping_el.xml b/mappings/Mapping_el.xml index 4a8fb2b587..e007a07a8d 100644 --- a/mappings/Mapping_el.xml +++ b/mappings/Mapping_el.xml @@ -3390,11 +3390,13 @@ {{PropertyMapping | templateProperty = μηχανικός | ontologyProperty = engineer }} -}}Mapping el:Κωμόπολη3049258323052014-03-07T15:17:23Z{{TemplateMapping +}}Mapping el:Κωμόπολη3049258590772022-09-02T09:18:56Z{{TemplateMapping | mapToClass = Village | mappings = {{PropertyMapping | templateProperty = όνομα | ontologyProperty = foaf:name }} {{PropertyMapping | templateProperty = Χώρα | ontologyProperty = country }} + {{PropertyMapping | templateProperty = Πληθυσμός | ontologyProperty = population }} + }}Mapping el:Κωμόπολη χωριό3044238210312012-12-26T09:52:15Z{{TemplateMapping | mapToClass = Village diff --git a/mappings/Mapping_en.xml b/mappings/Mapping_en.xml index 01288857db..4ccb420bca 100644 --- a/mappings/Mapping_en.xml +++ b/mappings/Mapping_en.xml @@ -1716,24 +1716,6 @@ http://en.wikipedia.org/w/index.php?title=Template:Beltasteroid-stub&action= {{PropertyMapping | templateProperty = minority_floor_leader7 | ontologyProperty = minorityFloorLeader }} {{PropertyMapping | templateProperty = minority_floor_leader8 | ontologyProperty = minorityFloorLeader }} {{PropertyMapping | templateProperty = minority_floor_leader9 | ontologyProperty = minorityFloorLeader }} -}}Mapping en:Infobox American football team2042290522372017-10-08T06:33:09Z{{TemplateMapping -| mapToClass = CanadianFootballTeam -| mappings = - {{PropertyMapping | templateProperty = name | ontologyProperty = foaf:name}} - {{PropertyMapping | templateProperty = founded | ontologyProperty = foundingYear}} - {{PropertyMapping | templateProperty = location | ontologyProperty = location}} - {{PropertyMapping | templateProperty = field | ontologyProperty = homeStadium}} - {{PropertyMapping | templateProperty = division | ontologyProperty = league}} - - {{PropertyMapping | templateProperty = general manager | ontologyProperty = generalManager }} - {{PropertyMapping | templateProperty = coach | ontologyProperty = coach }} - {{PropertyMapping | templateProperty = owner | ontologyProperty = owner }} - - {{PropertyMapping | templateProperty = chairman | ontologyProperty = chairman }} - {{PropertyMapping | templateProperty = president | ontologyProperty = president }} - {{PropertyMapping | templateProperty = team_owners | ontologyProperty = owner }} - {{PropertyMapping | templateProperty = team_ presidents | ontologyProperty = president }} - {{PropertyMapping | templateProperty = nicknames | ontologyProperty = foaf:name }} }}Mapping en:Infobox Australia state or territory2043487742015-08-13T12:59:09Z{{TemplateMapping | mapToClass = AdministrativeRegion | mappings = @@ -7458,7 +7440,15 @@ http://dbpedia.org/sparql?default-graph-uri=http%3A%2F%2Fdbpedia.org&query=s <!-- {{PropertyMapping | templateProperty = bus | ontologyProperty = ??? }} --> <!-- {{PropertyMapping | templateProperty = airport | ontologyProperty = ??? }} --> <!-- {{PropertyMapping | templateProperty = port | ontologyProperty = ??? }} --> -}}Mapping en:Infobox Japanese film20411932524332017-10-15T16:06:00Z#REDIRECT [[Mapping en:Infobox film]]Mapping en:Infobox Judge204128526292017-10-31T17:37:42Z#REDIRECT [[Mapping en:Infobox officeholder]]Mapping en:Infobox Kibbutz20411943524652017-10-15T21:39:30Z#REDIRECT [[Mapping en:Infobox Israel village]]Mapping en:Infobox Korean film2046334220832013-01-09T22:00:49Z{{ TemplateMapping | mapToClass = Film | mappings = +}}Mapping en:Infobox Japanese film20411932524332017-10-15T16:06:00Z#REDIRECT [[Mapping en:Infobox film]]Mapping en:Infobox Jewish leader20413562560552021-09-26T07:45:39Z{{TemplateMapping +| mapToClass = JewishLeader +| mappings = + {{ PropertyMapping | templateProperty = name | ontologyProperty = foaf:name }} + {{ PropertyMapping | templateProperty = website | ontologyProperty = foaf:homepage }} + {{ PropertyMapping | templateProperty = birth_date | ontologyProperty = birthDate }} + {{ PropertyMapping | templateProperty = nationality | ontologyProperty = nationality }} + {{ PropertyMapping | templateProperty = spouse| ontologyProperty = spouse}} +}}Mapping en:Infobox Judge204128526292017-10-31T17:37:42Z#REDIRECT [[Mapping en:Infobox officeholder]]Mapping en:Infobox Kibbutz20411943524652017-10-15T21:39:30Z#REDIRECT [[Mapping en:Infobox Israel village]]Mapping en:Infobox Korean film2046334220832013-01-09T22:00:49Z{{ TemplateMapping | mapToClass = Film | mappings = {{ PropertyMapping | templateProperty = director | ontologyProperty = director }} {{ PropertyMapping | templateProperty = producer | ontologyProperty = producer }} {{ PropertyMapping | templateProperty = writer | ontologyProperty = writer }} @@ -7585,7 +7575,23 @@ http://dbpedia.org/sparql?default-graph-uri=http%3A%2F%2Fdbpedia.org&query=s {{PropertyMapping | templateProperty = area_km2 | ontologyProperty = areaTotal | unit = squareKilometre }} {{PropertyMapping | templateProperty = density_km2 | ontologyProperty = populationDensity | unit = inhabitantsPerSquareKilometre }} {{GeocoordinatesMapping | latitudeDegrees = latd | latitudeMinutes = latm | latitudeSeconds = lats | latitudeDirection = latNS | longitudeDegrees = longd | longitudeMinutes = longm | longitudeSeconds = longs | longitudeDirection = longEW }} -}}Mapping en:Infobox Lake20411295525642017-10-26T14:22:48Z#REDIRECT [[Mapping en:Infobox body of water]]Mapping en:Infobox London station2043444525252017-10-18T12:36:21Z{{ConditionalMapping +}}Mapping en:Infobox LDS biography20413574560682021-10-02T09:00:46Z{{TemplateMapping +| mapToClass = LatterDaySaint +| mappings = + {{ PropertyMapping | templateProperty = name | ontologyProperty = foaf:name }} + {{ PropertyMapping | templateProperty = website | ontologyProperty = foaf:homepage }} + {{ PropertyMapping | templateProperty = birth_date | ontologyProperty = birthDate }} + {{ PropertyMapping | templateProperty = nationality | ontologyProperty = nationality }} + {{ PropertyMapping | templateProperty = spouse| ontologyProperty = spouse}} +}}Mapping en:Infobox Lake20411295525642017-10-26T14:22:48Z#REDIRECT [[Mapping en:Infobox body of water]]Mapping en:Infobox Latter Day Saint biography20413573560672021-10-02T08:59:01Z{{TemplateMapping +| mapToClass = LatterDaySaint +| mappings = + {{ PropertyMapping | templateProperty = name | ontologyProperty = foaf:name }} + {{ PropertyMapping | templateProperty = website | ontologyProperty = foaf:homepage }} + {{ PropertyMapping | templateProperty = birth_date | ontologyProperty = birthDate }} + {{ PropertyMapping | templateProperty = nationality | ontologyProperty = nationality }} + {{ PropertyMapping | templateProperty = spouse| ontologyProperty = spouse}} +}}Mapping en:Infobox London station2043444525252017-10-18T12:36:21Z{{ConditionalMapping | cases = {{Condition @@ -8488,7 +8494,7 @@ http://dbpedia.org/sparql?default-graph-uri=http%3A%2F%2Fdbpedia.org&query=s {{PropertyMapping | templateProperty = founded | ontologyProperty = formationYear }} {{PropertyMapping | templateProperty = general_manager | ontologyProperty = generalManager }} {{PropertyMapping | templateProperty = head_coach | ontologyProperty = manager }} -}}Mapping en:Infobox NRHP204169528102018-02-08T19:21:57Z{{ConditionalMapping +}}Mapping en:Infobox NRHP204169549222021-09-06T14:33:27Z{{ConditionalMapping | cases = {{Condition | templateProperty = built @@ -8539,6 +8545,9 @@ http://dbpedia.org/sparql?default-graph-uri=http%3A%2F%2Fdbpedia.org&query=s {{GeocoordinatesMapping | latitudeDegrees = lat_degrees | latitudeMinutes = lat_minutes | latitudeSeconds = lat_seconds | latitudeDirection = lat_direction | longitudeDegrees = long_degrees | longitudeMinutes = long_minutes | longitudeSeconds = long_seconds | longitudeDirection = long_direction }} {{GeocoordinatesMapping | coordinates = coordinates }} + +{{ PropertyMapping | templateProperty = website | ontologyProperty = foaf:homepage }} + }}Mapping en:Infobox NS-station2043445513902016-08-01T14:35:57Z{{TemplateMapping | mapToClass = Station | mappings = @@ -8562,6 +8571,14 @@ http://dbpedia.org/sparql?default-graph-uri=http%3A%2F%2Fdbpedia.org&query=s | longitudeMinutes = lonmin | longitudeSeconds = lonsec }} +}}Mapping en:Infobox Native American leader20413579560732021-10-02T10:26:26Z{{TemplateMapping +| mapToClass = AmericanLeader +| mappings = + {{ PropertyMapping | templateProperty = name | ontologyProperty = foaf:name }} + {{ PropertyMapping | templateProperty = website | ontologyProperty = foaf:homepage }} + {{ PropertyMapping | templateProperty = birth_date | ontologyProperty = birthDate }} + {{ PropertyMapping | templateProperty = nationality | ontologyProperty = nationality }} + {{ PropertyMapping | templateProperty = spouse| ontologyProperty = spouse}} }}Mapping en:Infobox Neighborhood Portland OR204161485562015-08-05T15:20:16Z{{TemplateMapping | mapToClass = AdministrativeRegion | mappings = @@ -13777,6 +13794,21 @@ http://dbpedia.org/sparql?default-graph-uri=http%3A%2F%2Fdbpedia.org&query=s {{PropertyMapping | templateProperty = city | ontologyProperty = location }} {{PropertyMapping | templateProperty = lastevent | ontologyProperty = previousEvent }} {{PropertyMapping | templateProperty = nextevent | ontologyProperty = followingEvent }} +}}Mapping en:Infobox YouTube personality20412513540992021-06-24T04:19:56Z{{TemplateMapping +| mapToClass = Youtuber +| mappings = + {{ PropertyMapping | templateProperty = name | ontologyProperty = foaf:name }} + {{ PropertyMapping | templateProperty = website | ontologyProperty = foaf:homepage }} + {{ PropertyMapping | templateProperty = birth_date | ontologyProperty = birthDate }} + {{ PropertyMapping | templateProperty = nationality | ontologyProperty = nationality }} +}}Mapping en:Infobox academic20413557560772021-10-02T10:34:52Z{{TemplateMapping +| mapToClass = Academic +| mappings = + {{ PropertyMapping | templateProperty = name | ontologyProperty = foaf:name }} + {{ PropertyMapping | templateProperty = website | ontologyProperty = foaf:homepage }} + {{ PropertyMapping | templateProperty = birth_date | ontologyProperty = birthDate }} + {{ PropertyMapping | templateProperty = nationality | ontologyProperty = nationality }} + {{ PropertyMapping | templateProperty = spouse| ontologyProperty = spouse}} }}Mapping en:Infobox academic conference20411552503652016-02-29T20:16:03Z{{TemplateMapping | mapToClass = AcademicConference | mappings = @@ -14590,6 +14622,13 @@ http://dbpedia.org/sparql?default-graph-uri=http%3A%2F%2Fdbpedia.org&query=s +}}Mapping en:Infobox aviator20413564560572021-10-02T07:02:36Z{{TemplateMapping | mapToClass = Pilot +| mappings = + {{ PropertyMapping | templateProperty = name | ontologyProperty = foaf:name }} + {{ PropertyMapping | templateProperty = website | ontologyProperty = foaf:homepage }} + {{ PropertyMapping | templateProperty = birth_date | ontologyProperty = birthDate }} + {{ PropertyMapping | templateProperty = nationality | ontologyProperty = nationality }} + {{ PropertyMapping | templateProperty = spouse| ontologyProperty = spouse}} }}Mapping en:Infobox award20440503102016-01-26T13:38:38Z{{TemplateMapping | mapToClass = Award | mappings = @@ -15138,7 +15177,7 @@ http://dbpedia.org/sparql?default-graph-uri=http%3A%2F%2Fdbpedia.org&query=s {{PropertyMapping | templateProperty = MeshNumber | ontologyProperty = meshNumber }} {{PropertyMapping | templateProperty = DorlandsPre | ontologyProperty = dorlandsPrefix }} {{PropertyMapping | templateProperty = DorlandsSuf | ontologyProperty = dorlandsSuffix }} -}}Mapping en:Infobox book2041696516412016-11-14T18:07:38Z{{TemplateMapping +}}Mapping en:Infobox book2041696549212021-09-06T14:32:42Z{{TemplateMapping | mapToClass = Book | mappings = {{PropertyMapping | templateProperty = name | ontologyProperty = foaf:name }} @@ -15166,6 +15205,7 @@ http://dbpedia.org/sparql?default-graph-uri=http%3A%2F%2Fdbpedia.org&query=s {{PropertyMapping | templateProperty = congress | ontologyProperty = lcc}} {{PropertyMapping | templateProperty = preceded_by | ontologyProperty = previousWork }} {{PropertyMapping | templateProperty = followed_by | ontologyProperty = subsequentWork }} + {{ PropertyMapping | templateProperty = website | ontologyProperty = foaf:homepage }} }}Mapping en:Infobox boxer2044972562010-05-12T14:24:12Z{{TemplateMapping | mapToClass = Boxer | mappings = @@ -15833,7 +15873,7 @@ http://dbpedia.org/sparql?default-graph-uri=http%3A%2F%2Fdbpedia.org&query=s <!-- {{ PropertyMapping | templateProperty = relations | ontologyProperty = }} --> <!-- {{ PropertyMapping | templateProperty = signature_alt | ontologyProperty = }} --> <!-- {{ PropertyMapping | templateProperty = subject_name | ontologyProperty = }} --> -}}Mapping en:Infobox college coach2041661235792013-01-26T11:29:56Z{{TemplateMapping +}}Mapping en:Infobox college coach2041661538992021-06-01T18:05:55Z{{TemplateMapping | mapToClass = CollegeCoach | mappings = {{PropertyMapping | templateProperty = coach_teams | ontologyProperty = coachedTeam }} @@ -15846,7 +15886,7 @@ http://dbpedia.org/sparql?default-graph-uri=http%3A%2F%2Fdbpedia.org&query=s {{PropertyMapping | templateProperty = birth_date | ontologyProperty = birthDate }} {{PropertyMapping | templateProperty = birth_place | ontologyProperty = birthPlace }} {{PropertyMapping | templateProperty = death_date | ontologyProperty = deathDate }} - {{PropertyMapping | templateProperty = date_place | ontologyProperty = deathPlace }} + {{PropertyMapping | templateProperty = death_place | ontologyProperty = deathPlace }} {{DateIntervalMapping | templateProperty = coach_years | startDateOntologyProperty = activeYearsStartDate | endDateOntologyProperty = activeYearsEndDate }} }}Mapping en:Infobox college football player2047986280872013-08-28T07:55:16Z{{TemplateMapping | mapToClass = AmericanFootballPlayer | mappings = @@ -15992,7 +16032,7 @@ http://dbpedia.org/sparql?default-graph-uri=http%3A%2F%2Fdbpedia.org&query=s {{PropertyMapping | templateProperty = alias | ontologyProperty = foaf:nick }} {{PropertyMapping | templateProperty = awards | ontologyProperty = award }} {{PropertyMapping | templateProperty = website | ontologyProperty = foaf:homepage }} -}}Mapping en:Infobox company20475536562020-07-27T08:49:46Z{{ ConditionalMapping +}}Mapping en:Infobox company20475540132021-06-07T16:18:14Z{{ ConditionalMapping | cases = {{Condition | templateProperty = industry @@ -16051,7 +16091,9 @@ http://dbpedia.org/sparql?default-graph-uri=http%3A%2F%2Fdbpedia.org&query=s {{ PropertyMapping | templateProperty = hq_location | ontologyProperty = headquarter }} {{ PropertyMapping | templateProperty = hq_city | ontologyProperty = locationCity }} + {{ PropertyMapping | templateProperty = hq_location_city | ontologyProperty = locationCity }} {{ PropertyMapping | templateProperty = hq_country | ontologyProperty = locationCountry }} + {{ PropertyMapping | templateProperty = hq_location_country | ontologyProperty = locationCountry }} {{ PropertyMapping | templateProperty = location | ontologyProperty = location }} {{ PropertyMapping | templateProperty = industry | ontologyProperty = industry }} @@ -16942,6 +16984,15 @@ http://dbpedia.org/sparql?default-graph-uri=http%3A%2F%2Fdbpedia.org&query=s }} {{GeocoordinatesMapping | latitudeDegrees = lat_d | latitudeMinutes = lat_m | latitudeSeconds = lat_s | latitudeDirection = lat_NS | longitudeDegrees = long_d | longitudeMinutes = long_m | longitudeSeconds = long_s | longitudeDirection = long_EW }} {{PropertyMapping | templateProperty = website | ontologyProperty = foaf:homepage }} +}}Mapping en:Infobox dancer20413558560512021-09-26T07:27:20Z{{TemplateMapping +| mapToClass = Dancer +| mappings = + {{ PropertyMapping | templateProperty = name | ontologyProperty = foaf:name }} + {{ PropertyMapping | templateProperty = birth_name | ontologyProperty = foaf:name }} + {{ PropertyMapping | templateProperty = website | ontologyProperty = foaf:homepage }} + {{ PropertyMapping | templateProperty = birth_date | ontologyProperty = birthDate }} + {{ PropertyMapping | templateProperty = nationality | ontologyProperty = nationality }} + {{ PropertyMapping | templateProperty = spouse| ontologyProperty = spouse}} }}Mapping en:Infobox darts player2046212208302012-12-23T17:21:18Z{{TemplateMapping | mapToClass = DartsPlayer | mappings = @@ -16952,6 +17003,14 @@ http://dbpedia.org/sparql?default-graph-uri=http%3A%2F%2Fdbpedia.org&query=s {{PropertyMapping | templateProperty = death_place | ontologyProperty = deathPlace }} {{PropertyMapping | templateProperty = homecountry | ontologyProperty = country }} {{PropertyMapping | templateProperty = hometown | ontologyProperty = hometown }} +}}Mapping en:Infobox deity20413577560712021-10-02T10:19:10Z{{TemplateMapping +| mapToClass = Deity +| mappings = + {{ PropertyMapping | templateProperty = name | ontologyProperty = foaf:name }} + {{ PropertyMapping | templateProperty = website | ontologyProperty = foaf:homepage }} + {{ PropertyMapping | templateProperty = birth_date | ontologyProperty = birthDate }} + {{ PropertyMapping | templateProperty = nationality | ontologyProperty = nationality }} + {{ PropertyMapping | templateProperty = spouse| ontologyProperty = spouse}} }}Mapping en:Infobox diocese2046247211252012-12-27T12:07:38Z{{TemplateMapping | mapToClass = Diocese | mappings = @@ -19266,7 +19325,7 @@ Template Properties not mapped yet: {{PropertyMapping | templateProperty = demolished | ontologyProperty = demolitionDate }} {{PropertyMapping | templateProperty = code | ontologyProperty = code }} {{GeocoordinatesMapping | coordinates = coordinates | ontologyProperty = location }} -}}Mapping en:Infobox military person2041672389652014-12-23T12:53:02Z{{TemplateMapping +}}Mapping en:Infobox military person2041672549232021-09-06T14:34:08Z{{TemplateMapping | mapToClass = MilitaryPerson | mappings = {{PropertyMapping | templateProperty = name | ontologyProperty = foaf:name }} @@ -19289,7 +19348,9 @@ Template Properties not mapped yet: {{PropertyMapping | templateProperty = battles | ontologyProperty = battle }} {{PropertyMapping | templateProperty = awards | ontologyProperty = award }} {{PropertyMapping | templateProperty = relations | ontologyProperty = relation }} - {{PropertyMapping | templateProperty = laterwork | ontologyProperty = occupation }} + {{PropertyMapping | templateProperty = laterwork | ontologyProperty = occupation }} + {{ PropertyMapping | templateProperty = website | ontologyProperty = foaf:homepage }} + }}Mapping en:Infobox military unit204145131322011-05-23T11:07:21Z{{TemplateMapping | mapToClass = MilitaryUnit | mappings = @@ -21426,6 +21487,16 @@ Template Properties not mapped yet: {{PropertyMapping | templateProperty = homepage | ontologyProperty = foaf:homepage }} {{PropertyMapping | templateProperty = hometown | ontologyProperty = hometown }} {{PropertyMapping | templateProperty = residence | ontologyProperty = residence }} +}}Mapping en:Infobox pandemic20413103548852021-07-22T14:10:21Z{{TemplateMapping +| mapToClass = Pandemic +| mappings = + {{ PropertyMapping | templateProperty = name | ontologyProperty = foaf:name }} + {{ PropertyMapping | templateProperty = date | ontologyProperty = date }} + {{ PropertyMapping | templateProperty = disease | ontologyProperty = disease }} + {{ PropertyMapping | templateProperty = virus_strain | ontologyProperty = virus_strain }} + {{ PropertyMapping | templateProperty = location | ontologyProperty = Location }} + {{ PropertyMapping | templateProperty = deaths | ontologyProperty = Deaths }} + {{ PropertyMapping | templateProperty = symptom | ontologyProperty = Symptom }} }}Mapping en:Infobox park20419273932010-05-12T14:41:20Z{{TemplateMapping | mapToClass = Park | mappings = @@ -21509,6 +21580,90 @@ Template Properties not mapped yet: {{PropertyMapping | templateProperty = website | ontologyProperty = foaf:homepage }} {{PropertyMapping | templateProperty = homepage | ontologyProperty = foaf:homepage }} +}}Mapping en:Infobox person/Wikidata20413580560742021-10-02T10:29:18Z{{TemplateMapping +| mapToClass = Person +| mappings = +<!-- basic parameter --> + {{PropertyMapping | templateProperty = name | ontologyProperty = foaf:name }} + {{PropertyMapping | templateProperty = birthdate | ontologyProperty = birthDate }} + {{PropertyMapping | templateProperty = birth_date | ontologyProperty = birthDate }} + {{PropertyMapping | templateProperty = birth_date | ontologyProperty = birthYear }} + {{PropertyMapping | templateProperty = birthplace | ontologyProperty = birthPlace }} + {{PropertyMapping | templateProperty = birth_place | ontologyProperty = birthPlace }} + {{PropertyMapping | templateProperty = deathdate | ontologyProperty = deathDate }} + {{PropertyMapping | templateProperty = death_date | ontologyProperty = deathDate }} + {{PropertyMapping | templateProperty = death_date | ontologyProperty = deathYear }} + {{PropertyMapping | templateProperty = deathplace | ontologyProperty = deathPlace }} + {{PropertyMapping | templateProperty = death_place | ontologyProperty = deathPlace }} + {{PropertyMapping | templateProperty = nationality | ontologyProperty = nationality }} + {{PropertyMapping | templateProperty = nationality | ontologyProperty = stateOfOrigin}} + {{PropertyMapping | templateProperty = other_names | ontologyProperty = alias }} + {{PropertyMapping | templateProperty = othername | ontologyProperty = alias }} + {{PropertyMapping | templateProperty = known_for | ontologyProperty = knownFor }} + {{PropertyMapping | templateProperty = occupation | ontologyProperty = occupation }} + {{IntermediateNodeMapping | nodeClass = PersonFunction | correspondingProperty = occupation + | mappings = + {{PropertyMapping | templateProperty = occupation | ontologyProperty = title }} + {{DateIntervalMapping | templateProperty = years_active | startDateOntologyProperty = functionStartDate | endDateOntologyProperty = functionEndDate}} + {{DateIntervalMapping | templateProperty = years_active | startDateOntologyProperty = functionStartYear | endDateOntologyProperty = functionEndYear}} + {{DateIntervalMapping | templateProperty = yearsactive | startDateOntologyProperty = functionStartDate | endDateOntologyProperty = functionEndDate}} + {{DateIntervalMapping | templateProperty = yearsactive | startDateOntologyProperty = functionStartYear | endDateOntologyProperty = functionEndYear}} + }} +<!-- end of basic parameters --> + {{GeocoordinatesMapping | ontologyProperty = restingPlacePosition | coordinates = resting_place_coordinates }} + {{DateIntervalMapping | templateProperty = years_active | startDateOntologyProperty = activeYearsStartYear| endDateOntologyProperty = activeYearsEndYear }} + {{DateIntervalMapping | templateProperty = yearsactive | startDateOntologyProperty = activeYearsStartYear| endDateOntologyProperty = activeYearsEndYear }} + {{IntermediateNodeMapping | nodeClass = PersonFunction | correspondingProperty = personFunction + | mappings = + {{PropertyMapping | templateProperty = title | ontologyProperty = title }} + {{DateIntervalMapping | templateProperty = term | startDateOntologyProperty = functionStartDate | endDateOntologyProperty = functionEndDate}} + {{DateIntervalMapping | templateProperty = term | startDateOntologyProperty = functionStartYear | endDateOntologyProperty = functionEndYear}} + }} + {{PropertyMapping | templateProperty = birth_name | ontologyProperty = birthName }} + {{PropertyMapping | templateProperty = birthname | ontologyProperty = birthName }} + {{PropertyMapping | templateProperty = body_discovered | ontologyProperty = bodyDiscovered }} + {{PropertyMapping | templateProperty = death_cause | ontologyProperty = deathCause }} + {{PropertyMapping | templateProperty = resting_place | ontologyProperty = restingPlace }} + {{PropertyMapping | templateProperty = residence | ontologyProperty = residence }} + {{PropertyMapping | templateProperty = ethnicity | ontologyProperty = ethnicity }} + {{PropertyMapping | templateProperty = citizenship | ontologyProperty = citizenship }} + {{PropertyMapping | templateProperty = education | ontologyProperty = education }} + {{PropertyMapping | templateProperty = alma_mater | ontologyProperty = almaMater }} + {{PropertyMapping | templateProperty = employer | ontologyProperty = employer }} + {{PropertyMapping | templateProperty = home_town | ontologyProperty = hometown }} + {{PropertyMapping | templateProperty = salary | ontologyProperty = salary | unit = Currency }} + {{PropertyMapping | templateProperty = networth | ontologyProperty = networth | unit = Currency }} + {{PropertyMapping | templateProperty = net_worth | ontologyProperty = networth | unit = Currency }} + {{PropertyMapping | templateProperty = net worth | ontologyProperty = networth | unit = Currency }} + {{PropertyMapping | templateProperty = height | ontologyProperty = height | unit = Length }} + {{PropertyMapping | templateProperty = weight | ontologyProperty = weight | unit = Mass }} + {{PropertyMapping | templateProperty = title | ontologyProperty = title }} + {{PropertyMapping | templateProperty = predecessor | ontologyProperty = predecessor }} + {{PropertyMapping | templateProperty = successor | ontologyProperty = successor }} + {{PropertyMapping | templateProperty = party | ontologyProperty = party }} + {{PropertyMapping | templateProperty = opponents | ontologyProperty = opponent }} + {{PropertyMapping | templateProperty = boards | ontologyProperty = board }} + {{PropertyMapping | templateProperty = religion | ontologyProperty = religion }} + {{PropertyMapping | templateProperty = spouse | ontologyProperty = spouse }} + {{PropertyMapping | templateProperty = partner | ontologyProperty = partner }} + {{PropertyMapping | templateProperty = children | ontologyProperty = child }} + {{PropertyMapping | templateProperty = relations | ontologyProperty = relation }} + {{PropertyMapping | templateProperty = callsign | ontologyProperty = callSign }} + {{PropertyMapping | templateProperty = relatives | ontologyProperty = relative }} + {{PropertyMapping | templateProperty = awards | ontologyProperty = award }} + {{PropertyMapping | templateProperty = pseudonym | ontologyProperty = pseudonym }} + {{PropertyMapping | templateProperty = parents | ontologyProperty = parent }} + {{PropertyMapping | templateProperty = website | ontologyProperty = foaf:homepage }} + {{PropertyMapping | templateProperty = homepage | ontologyProperty = foaf:homepage }} + +}}Mapping en:Infobox pharaoh20413576560702021-10-02T09:04:36Z{{TemplateMapping +| mapToClass = Pharaoh +| mappings = + {{ PropertyMapping | templateProperty = name | ontologyProperty = foaf:name }} + {{ PropertyMapping | templateProperty = website | ontologyProperty = foaf:homepage }} + {{ PropertyMapping | templateProperty = birth_date | ontologyProperty = birthDate }} + {{ PropertyMapping | templateProperty = nationality | ontologyProperty = nationality }} + {{ PropertyMapping | templateProperty = spouse| ontologyProperty = spouse}} }}Mapping en:Infobox philosopher204196247242013-04-04T20:19:24Z {{ TemplateMapping | mapToClass = Philosopher | mappings = {{ PropertyMapping | templateProperty = name | ontologyProperty = foaf:name }} @@ -21604,6 +21759,14 @@ Template Properties not mapped yet: {{PropertyMapping | templateProperty = firstname | ontologyProperty = foaf:givenName}} {{PropertyMapping | templateProperty = lastname | ontologyProperty = foaf:familyName}} {{PropertyMapping | templateProperty = nickname | ontologyProperty = foaf:nick }} +}}Mapping en:Infobox police officer20413582560782021-10-02T10:35:24Z{{TemplateMapping +| mapToClass = PoliceOfficer +| mappings = + {{ PropertyMapping | templateProperty = name | ontologyProperty = foaf:name }} + {{ PropertyMapping | templateProperty = website | ontologyProperty = foaf:homepage }} + {{ PropertyMapping | templateProperty = birth_date | ontologyProperty = birthDate }} + {{ PropertyMapping | templateProperty = nationality | ontologyProperty = nationality }} + {{ PropertyMapping | templateProperty = spouse| ontologyProperty = spouse}} }}Mapping en:Infobox political party2043722525042017-10-17T22:51:42Z{{TemplateMapping | mapToClass = PoliticalParty | mappings = @@ -22535,6 +22698,14 @@ Template Properties not mapped yet: {{PropertyMapping | templateProperty = minority_floor_leader7 | ontologyProperty = minorityFloorLeader }} {{PropertyMapping | templateProperty = minority_floor_leader8 | ontologyProperty = minorityFloorLeader }} {{PropertyMapping | templateProperty = minority_floor_leader9 | ontologyProperty = minorityFloorLeader }} +}}Mapping en:Infobox pretender20413570560642021-10-02T07:20:52Z{{TemplateMapping +| mapToClass = Pretender +| mappings = + {{ PropertyMapping | templateProperty = name | ontologyProperty = foaf:name }} + {{ PropertyMapping | templateProperty = website | ontologyProperty = foaf:homepage }} + {{ PropertyMapping | templateProperty = birth_date | ontologyProperty = birthDate }} + {{ PropertyMapping | templateProperty = nationality | ontologyProperty = nationality }} + {{ PropertyMapping | templateProperty = spouse| ontologyProperty = spouse}} }}Mapping en:Infobox prison2046359225162013-01-13T13:27:00Z{{TemplateMapping | mapToClass = Prison | mappings = @@ -22917,6 +23088,14 @@ Template Properties not mapped yet: {{ PropertyMapping | templateProperty = elevation | ontologyProperty = elevation }} {{ PropertyMapping | templateProperty = website | ontologyProperty = foaf:homepage }} {{ PropertyMapping | templateProperty = map | ontologyProperty = map }} +}}Mapping en:Infobox rebbe20413568560622021-10-02T07:16:09Z{{TemplateMapping +| mapToClass = Rebbe +| mappings = + {{ PropertyMapping | templateProperty = name | ontologyProperty = foaf:name }} + {{ PropertyMapping | templateProperty = website | ontologyProperty = foaf:homepage }} + {{ PropertyMapping | templateProperty = birth_date | ontologyProperty = birthDate }} + {{ PropertyMapping | templateProperty = nationality | ontologyProperty = nationality }} + {{ PropertyMapping | templateProperty = spouse| ontologyProperty = spouse}} }}Mapping en:Infobox recent cricketer20421874182010-05-12T14:44:41Z{{TemplateMapping | mapToClass = Cricketer | mappings = @@ -23675,6 +23854,14 @@ Template Properties not mapped yet: {{PropertyMapping | templateProperty = occupation | ontologyProperty = occupation }} {{PropertyMapping | templateProperty = relatives | ontologyProperty = relative }} {{DateIntervalMapping | templateProperty = years | startDateOntologyProperty = activeYearsStartYear | endDateOntologyProperty = activeYearsEndYear }} +}}Mapping en:Infobox sailor20413560560532021-09-26T07:36:57Z{{TemplateMapping +| mapToClass = Sailor +| mappings = + {{ PropertyMapping | templateProperty = name | ontologyProperty = foaf:name }} + {{ PropertyMapping | templateProperty = website | ontologyProperty = foaf:homepage }} + {{ PropertyMapping | templateProperty = birth_date | ontologyProperty = birthDate }} + {{ PropertyMapping | templateProperty = nationality | ontologyProperty = nationality }} + {{ PropertyMapping | templateProperty = spouse| ontologyProperty = spouse}} }}Mapping en:Infobox saint204227310992014-01-28T14:57:53Z{{TemplateMapping | mapToClass = Saint | mappings = @@ -23800,6 +23987,14 @@ Template Properties not mapped yet: {{PropertyMapping | templateProperty = area_km2 | ontologyProperty = areaTotal | unit = squareKilometre }} {{PropertyMapping | templateProperty = density_km2 | ontologyProperty = populationDensity | unit = inhabitantsPerSquareKilometre }} {{GeocoordinatesMapping | latitudeDegrees = latd | latitudeMinutes = latm | latitudeSeconds = lats | latitudeDirection = latNS | longitudeDegrees = longd | longitudeMinutes = longm | longitudeSeconds = longs | longitudeDirection = longEW }} +}}Mapping en:Infobox scholar20413571560652021-10-02T08:48:22Z{{TemplateMapping +| mapToClass = Academic +| mappings = + {{ PropertyMapping | templateProperty = name | ontologyProperty = foaf:name }} + {{ PropertyMapping | templateProperty = website | ontologyProperty = foaf:homepage }} + {{ PropertyMapping | templateProperty = birth_date | ontologyProperty = birthDate }} + {{ PropertyMapping | templateProperty = nationality | ontologyProperty = nationality }} + {{ PropertyMapping | templateProperty = spouse| ontologyProperty = spouse}} }}Mapping en:Infobox school204229529362018-03-05T12:57:44Z{{TemplateMapping | mapToClass = School | mappings = @@ -25339,7 +25534,7 @@ Template Properties not mapped yet: <!-- {{PropertyMapping | templateProperty = branches | ontologyProperty = }} --> <!-- {{PropertyMapping | templateProperty = members | ontologyProperty = }} --> {{PropertyMapping | templateProperty = website | ontologyProperty = foaf:homepage }} -}}Mapping en:Infobox sportsperson2044144168352012-03-13T10:59:40Z{{TemplateMapping +}}Mapping en:Infobox sportsperson2044144574122022-04-13T11:42:11Z{{TemplateMapping | mapToClass = Athlete | mappings = {{PropertyMapping | templateProperty = name | ontologyProperty = foaf:name }} @@ -25362,6 +25557,15 @@ Template Properties not mapped yet: {{PropertyMapping | templateProperty = currentteam | ontologyProperty = team }} {{PropertyMapping | templateProperty = residence | ontologyProperty = residence }} {{PropertyMapping | templateProperty = website | ontologyProperty = foaf:homepage }} + {{PropertyMapping | templateProperty = club | ontologyProperty = club }} +}}Mapping en:Infobox spy20413566560602021-10-02T07:07:24Z{{TemplateMapping +| mapToClass = Spy +| mappings = + {{ PropertyMapping | templateProperty = name | ontologyProperty = foaf:name }} + {{ PropertyMapping | templateProperty = website | ontologyProperty = foaf:homepage }} + {{ PropertyMapping | templateProperty = birth_date | ontologyProperty = birthDate }} + {{ PropertyMapping | templateProperty = nationality | ontologyProperty = nationality }} + {{ PropertyMapping | templateProperty = spouse| ontologyProperty = spouse}} }}Mapping en:Infobox squash player2047322260882013-06-14T18:04:18Z{{TemplateMapping | mapToClass = SquashPlayer | mappings = @@ -25377,7 +25581,7 @@ Template Properties not mapped yet: {{PropertyMapping | templateProperty = country | ontologyProperty = country }} {{PropertyMapping | templateProperty = residence | ontologyProperty = residence }} {{PropertyMapping | templateProperty = coach | ontologyProperty = coach }} -}}Mapping en:Infobox stadium204254526232017-10-31T17:12:12Z#REDIRECT [[Mapping en:Infobox venue]]Mapping en:Infobox standard2048014524442017-10-15T17:07:36Z#REDIRECT [[Mapping en:Infobox song]]Mapping en:Infobox station204255166502012-02-14T12:11:25Z +}}Mapping en:Infobox stadium204254526232017-10-31T17:12:12Z#REDIRECT [[Mapping en:Infobox venue]]Mapping en:Infobox standard2048014524442017-10-15T17:07:36Z#REDIRECT [[Mapping en:Infobox song]]Mapping en:Infobox station204255549202021-09-06T14:31:33Z {{ TemplateMapping | mapToClass = Station | mappings = {{ PropertyMapping | templateProperty = name | ontologyProperty = foaf:name }} {{ PropertyMapping | templateProperty = type | ontologyProperty = type }} @@ -25416,6 +25620,7 @@ Template Properties not mapped yet: {{ PropertyMapping | templateProperty = pass_year | ontologyProperty = visitorStatisticsAsOf }} {{ PropertyMapping | templateProperty = pass_percent | ontologyProperty = visitorsPercentageChange }} {{ PropertyMapping | templateProperty = pass_system | ontologyProperty = passengersUsedSystem }} + {{ PropertyMapping | templateProperty = website | ontologyProperty = foaf:homepage }} <!-- needs mapping language extension {{ PropertyMapping | templateProperty = services | ontologyProperty = ??? }} --> }}Mapping en:Infobox street2043336486632015-08-06T16:39:04Z{{TemplateMapping | mapToClass = Road @@ -26559,7 +26764,60 @@ Template Properties not mapped yet: | mappings = {{ConstantMapping | ontologyProperty = country | value = Ireland}} {{ConstantMapping | ontologyProperty = nationality | value = Ireland}} -}}Mapping en:Ireland-politician-stub2048276289542013-12-17T15:25:01Z{{TemplateMapping | mapToClass = Politician}}Mapping en:Ireland-railstation-stub2048309289892013-12-17T17:29:58Z{{TemplateMapping | mapToClass = RailwayStation}}Mapping en:Ireland-writer-stub2048240288412013-11-26T14:01:19Z{{TemplateMapping | mapToClass = Writer +}}Mapping en:Ireland-politician-stub2048276546152021-06-30T11:41:23Z{{TemplateMapping | mapToClass = Politician}} +{{PropertyMapping | templateProperty = ایوارڈ| ontologyProperty = award }} + {{PropertyMapping | templateProperty = نام| ontologyProperty = foaf:name }} + {{PropertyMapping | templateProperty = سرکاری نام| ontologyProperty = foaf:name }} + {{PropertyMapping | templateProperty = اصل نام| ontologyProperty = foaf:name }} + {{PropertyMapping | templateProperty = صنف| ontologyProperty = genre }} + {{PropertyMapping | templateProperty = جگہ| ontologyProperty = location }} + {{PropertyMapping | templateProperty = پیشہ| ontologyProperty = occupation }} + {{PropertyMapping | templateProperty = شخص| ontologyProperty = person }} + {{PropertyMapping | templateProperty = تاریخ پیدائش| ontologyProperty = birthDate }} + {{PropertyMapping | templateProperty = تاریخ پیدائش| ontologyProperty = birthDate }} + {{PropertyMapping | templateProperty = تاریخ پیدائش| ontologyProperty = birthYear }} + {{PropertyMapping | templateProperty = جائے پیدائش| ontologyProperty = birthPlace }} + {{PropertyMapping | templateProperty = جائے پیدائش | ontologyProperty = birthPlace }} + {{PropertyMapping | templateProperty = تاریخ وفات | ontologyProperty = deathDate }} + {{PropertyMapping | templateProperty = تاریخ وفات | ontologyProperty = deathDate }} + {{PropertyMapping | templateProperty = تاریخ وفات | ontologyProperty = deathYear }} + {{PropertyMapping | templateProperty = جائے وفات | ontologyProperty = deathPlace }} + {{PropertyMapping | templateProperty = جائے وفات | ontologyProperty = deathPlace }} + {{PropertyMapping | templateProperty = قومیت | ontologyProperty = nationality }} + {{PropertyMapping | templateProperty = قومیت| ontologyProperty = stateOfOrigin}} + {{PropertyMapping | templateProperty = other names | ontologyProperty = alias }} + {{PropertyMapping | templateProperty = othername | ontologyProperty = alias }} + {{PropertyMapping | templateProperty = known for | ontologyProperty = knownFor }} + {{PropertyMapping | templateProperty = کاروبار | ontologyProperty = occupation }} + {{PropertyMapping | templateProperty = پیدائشی نام | ontologyProperty = birthName }} + {{PropertyMapping | templateProperty = پیدائشی نام | ontologyProperty = birthName }} + {{PropertyMapping | templateProperty = رہائش | ontologyProperty = residence }} + {{PropertyMapping | templateProperty = نسل | ontologyProperty = ethnicity }} + {{PropertyMapping | templateProperty = شہریت | ontologyProperty = citizenship }} + {{PropertyMapping | templateProperty = تعلیم | ontologyProperty = education }} + {{PropertyMapping | templateProperty = سلسلہ آمدن | ontologyProperty = employer }} + {{PropertyMapping | templateProperty = آبائی شہر | ontologyProperty = hometown }} + {{PropertyMapping | templateProperty = تنخواہ | ontologyProperty = salary | unit = Currency }} + {{PropertyMapping | templateProperty = کل مالیت | ontologyProperty = networth | unit = Currency }} + {{PropertyMapping | templateProperty = کل مالیت | ontologyProperty = networth | unit = Currency }} + {{PropertyMapping | templateProperty = کل مالیت | ontologyProperty = networth | unit = Currency }} + {{PropertyMapping | templateProperty = اونچائی | ontologyProperty = height | unit = Length }} + {{PropertyMapping | templateProperty = وزن | ontologyProperty = weight | unit = Mass }} + {{PropertyMapping | templateProperty = گروہ | ontologyProperty = party }} + {{PropertyMapping | templateProperty = مخالفین | ontologyProperty = opponent }} + {{PropertyMapping | templateProperty = کمیٹی | ontologyProperty = board }} + {{PropertyMapping | templateProperty = مذہب | ontologyProperty = religion }} + {{PropertyMapping | templateProperty = شریک حیات | ontologyProperty = spouse }} + {{PropertyMapping | templateProperty = ساتهی | ontologyProperty = partner }} + {{PropertyMapping | templateProperty = بچے | ontologyProperty = child }} + {{PropertyMapping | templateProperty = تعلقات | ontologyProperty = relation }} + {{PropertyMapping | templateProperty = کال علامت | ontologyProperty = callSign }} + {{PropertyMapping | templateProperty = رشتہ دار | ontologyProperty = relative }} + {{PropertyMapping | templateProperty = خطاب| ontologyProperty = award }} + {{PropertyMapping | templateProperty = تخلص | ontologyProperty = pseudonym }} + {{PropertyMapping | templateProperty = بنانےوالا| ontologyProperty = creator}} + {{PropertyMapping | templateProperty = ملک| ontologyProperty = country }} + {{PropertyMapping | templateProperty = والدین | ontologyProperty = parent }}Mapping en:Ireland-railstation-stub2048309289892013-12-17T17:29:58Z{{TemplateMapping | mapToClass = RailwayStation}}Mapping en:Ireland-writer-stub2048240288412013-11-26T14:01:19Z{{TemplateMapping | mapToClass = Writer | mappings = {{ConstantMapping | ontologyProperty = country | value = Ireland }} }}Mapping en:Italy-bio-stub2048661295732014-01-10T11:01:02Z{{TemplateMapping | mapToClass = Person | mappings = @@ -27670,6 +27928,10 @@ Template Properties not mapped yet: }}Mapping en:USSR-Olympic-medalist-stub2048673295932014-01-13T10:26:20Z{{TemplateMapping | mapToClass = Athlete | mappings = {{ConstantMapping | ontologyProperty = nationality | value = Soviet Union}} +}}Mapping en:Virusbox20413101548632021-07-16T15:04:29Z{{TemplateMapping +| mapToClass = Disease +| mappings = + {{ PropertyMapping | templateProperty = virus | ontologyProperty = dbo:virus }} }}Mapping en:Wales-writer-stub2048241288422013-11-26T14:02:15Z{{TemplateMapping | mapToClass = Writer | mappings = {{ConstantMapping | ontologyProperty = country | value = United Kingdom }} diff --git a/mappings/Mapping_fr.xml b/mappings/Mapping_fr.xml index 5b6ff1cffd..36c4f88bfb 100644 --- a/mappings/Mapping_fr.xml +++ b/mappings/Mapping_fr.xml @@ -41,6 +41,16 @@ {{PropertyMapping | templateProperty = ebullition | ontologyProperty = boilingPoint | unit = temperature}} {{PropertyMapping | templateProperty = PubChem | ontologyProperty = pubchem }} {{PropertyMapping | templateProperty = DCI | ontologyProperty = inn}} +}}Mapping fr:Cycling race/infobox21014265590942022-10-11T07:58:11Z{{TemplateMapping +| mapToClass = CyclingRace +| mappings = + {{PropertyMapping | templateProperty = nom | ontologyProperty = foaf:name }} + {{PropertyMapping | templateProperty = Image | ontologyProperty = thumbnail }} + {{PropertyMapping | templateProperty = légende | ontologyProperty = thumbnailCaption }} + {{PropertyMapping | templateProperty = Distance | ontologyProperty = length }} + {{PropertyMapping | templateProperty = Vitesse moyenne | ontologyProperty = averageSpeed }} + {{PropertyMapping | templateProperty = Pays | ontologyProperty = country }} + {{PropertyMapping | templateProperty = Année | ontologyProperty = year }} }}Mapping fr:Desserte gare21011074455702015-03-08T13:02:42Z{{TemplateMapping | mapToClass = Station | mappings = @@ -1107,11 +1117,12 @@ }} {{GeocoordinatesMapping | latitude = latitude | longitude = longitude }} {{PropertyMapping | templateProperty = url | ontologyProperty = foaf:homepage }} -}}Mapping fr:Infobox Biographie2104401272012013-07-09T11:34:40Z{{TemplateMapping +}}Mapping fr:Infobox Biographie2104401587852022-05-31T14:45:20Z{{TemplateMapping | mapToClass = Person | mappings = {{PropertyMapping | templateProperty = nom | ontologyProperty = foaf:name }} {{PropertyMapping | templateProperty = légende | ontologyProperty = thumbnailCaption }} + {{PropertyMapping | templateProperty = image | ontologyProperty = picture }} {{PropertyMapping | templateProperty = nom de naissance | ontologyProperty = birthName }} {{PropertyMapping | templateProperty = surnom | ontologyProperty = foaf:nick }} {{PropertyMapping | templateProperty = date de naissance | ontologyProperty = birthDate }} @@ -1130,7 +1141,71 @@ {{PropertyMapping | templateProperty = conjoint | ontologyProperty = spouse }} {{PropertyMapping | templateProperty = descendant | ontologyProperty = child }} {{PropertyMapping | templateProperty = famille | ontologyProperty = family }} -}}Mapping fr:Infobox Boxeur2107478474142015-04-01T07:18:04Z{{TemplateMapping + {{PropertyMapping | templateProperty = signature | ontologyProperty = signature }} + {{PropertyMapping | templateProperty = hommage | ontologyProperty = award }} + +}}Mapping fr:Infobox Biographie221014143588012022-06-14T09:13:25Z{{TemplateMapping +| mapToClass = Person +| mappings = + {{PropertyMapping | templateProperty = nom | ontologyProperty = foaf:name }} + {{PropertyMapping | templateProperty = légende | ontologyProperty = thumbnailCaption }} + {{PropertyMapping | templateProperty = nom de naissance | ontologyProperty = birthName }} + {{PropertyMapping | templateProperty = surnom | ontologyProperty = foaf:nick }} + {{PropertyMapping | templateProperty = date de naissance | ontologyProperty = birthDate }} + {{PropertyMapping | templateProperty = lieu de naissance | ontologyProperty = birthPlace }} + {{PropertyMapping | templateProperty = date de décès | ontologyProperty = deathDate }} + {{PropertyMapping | templateProperty = lieu de décès | ontologyProperty = deathPlace }} + {{PropertyMapping | templateProperty = nationalité | ontologyProperty = nationality }} + {{PropertyMapping | templateProperty = domicile | ontologyProperty = residence }} + {{PropertyMapping | templateProperty = activité | ontologyProperty = activity }} + {{PropertyMapping | templateProperty = formation | ontologyProperty = education}} + {{PropertyMapping | templateProperty = conjoint | ontologyProperty = spouse }} + {{PropertyMapping | templateProperty = enfant | ontologyProperty = child }} + {{PropertyMapping | templateProperty = famille | ontologyProperty = family }} + {{PropertyMapping | templateProperty = cheveux | ontologyProperty = hairColor }} + {{PropertyMapping | templateProperty = yeux | ontologyProperty = eyeColor }} + {{PropertyMapping | templateProperty = image | ontologyProperty = picture }} + {{PropertyMapping | templateProperty = sépulture | ontologyProperty = placeOfBurial }} + {{PropertyMapping | templateProperty = époque | ontologyProperty = era }} + {{PropertyMapping | templateProperty = disparition | ontologyProperty = disappearanceDate }} + {{PropertyMapping | templateProperty = mouvement | ontologyProperty = movement }} + {{PropertyMapping | templateProperty = propriétaire de | ontologyProperty = owningOrganisation }} + {{PropertyMapping | templateProperty = maître | ontologyProperty = influencedBy }} + {{PropertyMapping | templateProperty = élève | ontologyProperty = influenced }} + {{PropertyMapping | templateProperty = directeur de thèse | ontologyProperty = influencedBy }} + {{PropertyMapping | templateProperty = étudiant de thèse | ontologyProperty = influenced }} + {{PropertyMapping | templateProperty = partenaire | ontologyProperty = partner}} + {{PropertyMapping | templateProperty = copilote | ontologyProperty = copilote }} + {{PropertyMapping | templateProperty = instrument | ontologyProperty = instrument }} + {{PropertyMapping | templateProperty = employeur | ontologyProperty = employer }} + {{PropertyMapping | templateProperty = religion | ontologyProperty = religion }} + {{PropertyMapping | templateProperty = parti politique | ontologyProperty = party }} + {{PropertyMapping | templateProperty = idéologie | ontologyProperty =ideology}} + {{PropertyMapping | templateProperty = membre | ontologyProperty = member }} + {{PropertyMapping | templateProperty = unité | ontologyProperty = militaryBranch }} + {{PropertyMapping | templateProperty = conflit | ontologyProperty = conflict}} + {{PropertyMapping | templateProperty = père | ontologyProperty = father }} + {{PropertyMapping | templateProperty = mère | ontologyProperty = mother }} + {{PropertyMapping | templateProperty = fratrie | ontologyProperty = sibling }} + {{PropertyMapping | templateProperty = parentèle | ontologyProperty = parent }} + {{PropertyMapping | templateProperty = œuvres principales | ontologyProperty = notableWork }} + {{PropertyMapping | templateProperty = distinctions | ontologyProperty = decoration }} + {{PropertyMapping | templateProperty = grade militaire | ontologyProperty = militaryRank}} + {{PropertyMapping | templateProperty = équipe | ontologyProperty = team }} + {{PropertyMapping | templateProperty = mécène | ontologyProperty = artPatron }} + {{PropertyMapping | templateProperty = site web | ontologyProperty = foaf:homepage }} + {{PropertyMapping | templateProperty = voix | ontologyProperty = voice }} + {{PropertyMapping | templateProperty = prononciation | ontologyProperty = pronunciation }} + {{PropertyMapping | templateProperty = blason | ontologyProperty = coatOfArms }} + {{PropertyMapping | templateProperty = fête | ontologyProperty = feastDay }} + {{PropertyMapping | templateProperty = adjectifsDérivés | ontologyProperty = derivedWord }} + {{DateIntervalMapping + | templateProperty = période d'activité + | startDateOntologyProperty = activeYearsStartYear + | endDateOntologyProperty = activeYearsEndYear + }} + +}}Mapping fr:Infobox Boxeur2107478590862022-10-09T20:15:53Z{{TemplateMapping | mapToClass = Boxer | mappings = {{PropertyMapping | templateProperty = légende | ontologyProperty = thumbnailCaption }} @@ -1140,7 +1215,6 @@ {{PropertyMapping | templateProperty = date de naissance | ontologyProperty = birthDate }} {{PropertyMapping | templateProperty = lieu de naissance | ontologyProperty = birthPlace }} {{PropertyMapping | templateProperty = nom de naissance | ontologyProperty = birthName }} - {{PropertyMapping | templateProperty = catégorie | ontologyProperty = boxerCategory }} {{PropertyMapping | templateProperty = style | ontologyProperty = boxerStyle }} {{PropertyMapping | templateProperty = date de décès | ontologyProperty = deathDate }} {{PropertyMapping | templateProperty = lieu de décès | ontologyProperty = deathPlace }} @@ -1413,15 +1487,18 @@ {{PropertyMapping | templateProperty = durée | ontologyProperty = filmRuntime | unit = Time}} {{PropertyMapping | templateProperty = année sortie | ontologyProperty = releaseDate}} {{PropertyMapping | templateProperty = première diffusion | ontologyProperty = firstBroadcast}} -}}Mapping fr:Infobox Cinéma (film)2104416455382015-03-08T10:24:54Z{{TemplateMapping +}}Mapping fr:Infobox Cinéma (film)2104416572282022-03-24T21:08:40Z{{TemplateMapping | mapToClass = Film | mappings = {{PropertyMapping | templateProperty = titre | ontologyProperty = foaf:name}} {{PropertyMapping | templateProperty = titre | ontologyProperty = dc:title}} {{PropertyMapping | templateProperty = langue du titre | ontologyProperty = titleLanguage}} + {{PropertyMapping | templateProperty = image | ontologyProperty = picture }} {{PropertyMapping | templateProperty = légende | ontologyProperty = thumbnailCaption}} + {{PropertyMapping | templateProperty = alternative | ontologyProperty = alternativeText}} {{PropertyMapping | templateProperty = titre québécois | ontologyProperty = quebecerTitle}} {{PropertyMapping | templateProperty = titre original | ontologyProperty = originalTitle}} + {{PropertyMapping | templateProperty = titre original non latin | ontologyProperty = originalNotLatinTitle}} {{PropertyMapping | templateProperty = réalisation | ontologyProperty = director}} {{PropertyMapping | templateProperty = scénario | ontologyProperty = writer}} {{PropertyMapping | templateProperty = acteur | ontologyProperty = starring}} @@ -1430,8 +1507,10 @@ {{PropertyMapping | templateProperty = genre | ontologyProperty = genre}} {{PropertyMapping | templateProperty = durée | ontologyProperty = filmRuntime | unit = Time}} {{PropertyMapping | templateProperty = année de sortie | ontologyProperty = releaseDate}} - {{ PropertyMapping | templateProperty = sortie | ontologyProperty = releaseDate }} + {{PropertyMapping | templateProperty = sortie | ontologyProperty = releaseDate }} {{PropertyMapping | templateProperty = première diffusion | ontologyProperty = firstBroadcast}} + {{PropertyMapping | templateProperty = upright | ontologyProperty = scaleFactor}} + {{PropertyMapping | templateProperty = titre article en italique| ontologyProperty = italicTitle }} }}Mapping fr:Infobox Cinéma (personnalité)2102919354022014-06-22T09:35:52Z{{TemplateMapping | mapToClass = Actor | mappings = @@ -2240,7 +2319,7 @@ }} {{PropertyMapping | templateProperty = telcode| ontologyProperty = areaCode }} {{PropertyMapping | templateProperty = divers| ontologyProperty = language }} -}}Mapping fr:Infobox Commune de France2106911511252016-05-26T12:38:05Z{{TemplateMapping +}}Mapping fr:Infobox Commune de France2106911590882022-10-09T20:17:21Z{{TemplateMapping | mapToClass = Settlement | mappings = {{ConstantMapping | ontologyProperty = country | value = France }} @@ -2303,7 +2382,12 @@ {{PropertyMapping | templateProperty = siteweb | ontologyProperty = foaf:homepage }} {{PropertyMapping | templateProperty = géoloc-département | ontologyProperty = geolocDepartment }} {{PropertyMapping | templateProperty = position | ontologyProperty = position }} - {{PropertyMapping | templateProperty = position-département | ontologyProperty = departmentPosition }} + {{PropertyMapping | templateProperty = position-département | ontologyProperty = departmentPosition }} + {{PropertyMapping | templateProperty = taille drapeau | ontologyProperty = imageSize }} + {{PropertyMapping | templateProperty = population | ontologyProperty = population }} + {{PropertyMapping | templateProperty = année_pop | ontologyProperty = year }} + {{PropertyMapping | templateProperty = province | ontologyProperty = province }} + }}Mapping fr:Infobox Commune de Hongrie2106898452262015-02-12T19:58:38Z{{TemplateMapping | mapToClass = Settlement | mappings = @@ -3606,7 +3690,7 @@ {{PropertyMapping | templateProperty = genre | ontologyProperty = genre }} {{PropertyMapping | templateProperty = distinctions | ontologyProperty = decoration }} {{PropertyMapping | templateProperty = œuvres | ontologyProperty = created }} -}}Mapping fr:Infobox Empereur romain2107633474162015-04-01T07:27:14Z{{TemplateMapping +}}Mapping fr:Infobox Empereur romain2107633587932022-05-31T15:15:47Z{{TemplateMapping | mapToClass = RomanEmperor | mappings = {{PropertyMapping | templateProperty = nom | ontologyProperty = foaf:name }} @@ -3626,8 +3710,8 @@ {{PropertyMapping | templateProperty = date de naissance | ontologyProperty = birthDate }} {{PropertyMapping | templateProperty = date de décès | ontologyProperty = deathDate }} {{PropertyMapping | templateProperty = inhumation | ontologyProperty = deathPlace }} - {{PropertyMapping | templateProperty = père | ontologyProperty = parent }} - {{PropertyMapping | templateProperty = mère | ontologyProperty = parent }} + {{PropertyMapping | templateProperty = père | ontologyProperty = father }} + {{PropertyMapping | templateProperty = mère | ontologyProperty = mother }} {{PropertyMapping | templateProperty = femme | ontologyProperty = spouse}} {{PropertyMapping | templateProperty = enfant | ontologyProperty = child }} }}Mapping fr:Infobox Escrimeur2107639273062013-07-10T11:01:45Z{{TemplateMapping @@ -3720,6 +3804,12 @@ {{PropertyMapping | templateProperty = position | ontologyProperty = position }} {{PropertyMapping | templateProperty = pied | ontologyProperty = foot }} {{PropertyMapping | templateProperty = date de mise à jour | ontologyProperty = updated }} +}}Mapping fr:Infobox Fromage21014271591012022-10-14T07:45:03Z{{TemplateMapping | mapToClass = Cheese +| mappings = + {{PropertyMapping | templateProperty = image | ontologyProperty = thumbnail }} + {{PropertyMapping | templateProperty = légende | ontologyProperty = thumbnailCaption }} + {{PropertyMapping | templateProperty = pays | ontologyProperty = country }} + {{PropertyMapping | templateProperty = fabricant | ontologyProperty = manufacturer }} }}Mapping fr:Infobox Gare2105865354152014-06-23T21:49:22Z{{TemplateMapping | mapToClass = RailwayStation | mappings = @@ -3816,6 +3906,13 @@ {{PropertyMapping | templateProperty = superficie | ontologyProperty = floorArea | unit = Area }} {{PropertyMapping | templateProperty = site officiel | ontologyProperty = foaf:homepage }} {{PropertyMapping | templateProperty = coût | ontologyProperty = cost | unit = Currency }} +}}Mapping fr:Infobox Grotte21014270591002022-10-13T12:41:22Z{{TemplateMapping +| mapToClass = Cave +| mappings = + {{PropertyMapping | templateProperty = image | ontologyProperty = thumbnail}} + {{PropertyMapping | templateProperty = légende | ontologyProperty = thumbnailCaption}} + {{PropertyMapping | templateProperty = name | ontologyProperty = foaf:name }} + {{PropertyMapping | templateProperty = pays | ontologyProperty = country }} }}Mapping fr:Infobox Guitare2107469266372013-06-28T15:02:12Z{{TemplateMapping | mapToClass = Guitar | mappings = @@ -3898,13 +3995,12 @@ {{PropertyMapping | templateProperty = argent CN | ontologyProperty = numberOfSilverMedalsWon }} {{PropertyMapping | templateProperty = bronze CN | ontologyProperty = numberOfBronzeMedalsWon }} }} -}}Mapping fr:Infobox Géographie nationale2107045474022015-04-01T00:09:04Z{{TemplateMapping -| mapToClass = Country +}}Mapping fr:Infobox Géographie nationale2107045590852022-10-09T20:05:05Z{{TemplateMapping +| mapToClass = Area | mappings = {{PropertyMapping | templateProperty = carte | ontologyProperty = map }} {{PropertyMapping | templateProperty = continent | ontologyProperty = continent }} {{PropertyMapping | templateProperty = région | ontologyProperty = region }} - {{PropertyMapping | templateProperty = coordonnées | ontologyProperty = coordinates }} {{PropertyMapping | templateProperty = rang | ontologyProperty = rank }} {{IntermediateNodeMapping | nodeClass = Area @@ -3957,6 +4053,27 @@ {{PropertyMapping | templateProperty = diplôme | ontologyProperty = diploma }} {{PropertyMapping | templateProperty = entourage | ontologyProperty = family }} {{PropertyMapping | templateProperty = site internet | ontologyProperty = foaf:homepage }} +}}Mapping fr:Infobox Hôtel21014268590982022-10-13T11:48:51Z{{TemplateMapping +| mapToClass = Hotel +| mappings = + {{PropertyMapping | templateProperty = nom | ontologyProperty = foaf:name }} + {{PropertyMapping | templateProperty = image | ontologyProperty = thumbnail }} + {{PropertyMapping | templateProperty = légende | ontologyProperty = thumbnailCaption }} + {{PropertyMapping | templateProperty = légende | ontologyProperty = rdfs:label}} + {{PropertyMapping | templateProperty = superficie | ontologyProperty = surfaceArea}} + {{PropertyMapping | templateProperty = commune | ontologyProperty = municipality}} + {{PropertyMapping | templateProperty = date d'ouverture | ontologyProperty = openingDate}} + {{PropertyMapping | templateProperty = date de fermeture | ontologyProperty = closingDate}} + {{PropertyMapping | templateProperty = pays | ontologyProperty = country}} + {{PropertyMapping | templateProperty = latitude | ontologyProperty = geo:lat}} + {{PropertyMapping | templateProperty = longitude | ontologyProperty = geo:long}} + {{PropertyMapping | templateProperty = date de démolition | ontologyProperty = demolitionYear}} + {{PropertyMapping | templateProperty = étoiles | ontologyProperty = NumberOfEtoilesMichelin }} + {{PropertyMapping | templateProperty = étages | ontologyProperty = topFloorHeight }} + {{PropertyMapping | templateProperty = chambre | ontologyProperty = numberOfRooms }} + {{PropertyMapping | templateProperty = architecte | ontologyProperty = architect }} + {{PropertyMapping | templateProperty = propriétaire | ontologyProperty = owner }} + {{PropertyMapping | templateProperty = style | ontologyProperty = architecturalStyle }} }}Mapping fr:Infobox Identité2107654273232013-07-10T11:44:16Z{{TemplateMapping | mapToClass = Person | mappings = @@ -4606,6 +4723,37 @@ {{PropertyMapping | templateProperty = datethéatre_fr | ontologyProperty = premiereDate }} {{PropertyMapping | templateProperty = datethéatre_fr | ontologyProperty = premiereYear }} {{PropertyMapping | templateProperty = théatre_fr | ontologyProperty = premierePlace }} +}}Mapping fr:Infobox Localité21014144588052022-06-17T15:18:53Z{{TemplateMapping +| mapToClass = Locality +| mappings = + {{PropertyMapping | templateProperty = nom | ontologyProperty = foaf:name }} + {{PropertyMapping | templateProperty = légende image | ontologyProperty = thumbnailCaption }} + {{PropertyMapping | templateProperty = pays | ontologyProperty = country }} + {{PropertyMapping | templateProperty = partie de | ontologyProperty = isPartOf }} + {{PropertyMapping | templateProperty = chef-lieu | ontologyProperty = capital }} + {{PropertyMapping | templateProperty = altitude | ontologyProperty = altitude }} + {{IntermediateNodeMapping | nodeClass = Area | correspondingProperty = wholeArea | mappings = + {{PropertyMapping | templateProperty = superficie | ontologyProperty = value }} + }} + {{IntermediateNodeMapping | nodeClass = Altitude | correspondingProperty = altitude | mappings = + {{PropertyMapping | templateProperty = point le plus haut | ontologyProperty = maximumElevation }} + {{PropertyMapping | templateProperty = point le plus bas | ontologyProperty = minimumElevation }} + {{PropertyMapping | templateProperty = altitude | ontologyProperty = value }} + }} + {{IntermediateNodeMapping | nodeClass = Demographics| correspondingProperty = demographics | mappings = + {{PropertyMapping | templateProperty = population | ontologyProperty = populationTotal }} + {{PropertyMapping | templateProperty = année_pop | ontologyProperty = year }} + }} + {{PropertyMapping | templateProperty = code postal | ontologyProperty = postalCode }} + {{GeocoordinatesMapping | latitude = latitude| longitude = longitude}} + {{PropertyMapping | templateProperty = siteweb | ontologyProperty = foaf:homepage }} + {{PropertyMapping | templateProperty = monnaie | ontologyProperty = currency }} + {{PropertyMapping | templateProperty = langue officielle | ontologyProperty = officialLanguage }} + {{PropertyMapping | templateProperty = prononciation | ontologyProperty = pronunciation }} + {{PropertyMapping | templateProperty = devise | ontologyProperty = motto }} + {{PropertyMapping | templateProperty = blason | ontologyProperty = blazon }} + {{PropertyMapping | templateProperty = carte | ontologyProperty = map }} + {{PropertyMapping | templateProperty = gentilé | ontologyProperty = peopleName }} }}Mapping fr:Infobox Localité de France2107104280832013-08-27T09:23:49Z{{TemplateMapping | mapToClass = Locality | mappings = @@ -4905,7 +5053,85 @@ {{PropertyMapping | templateProperty = site | ontologyProperty = foaf:homepage }} {{PropertyMapping | templateProperty = légende | ontologyProperty = thumbnailCaption }} {{GeocoordinatesMapping | latitude = latitude | longitude = longitude }} -}}Mapping fr:Infobox Musique (artiste)2104386355092014-06-28T12:17:47Z{{ConditionalMapping +}}Mapping fr:Infobox Municipalité du Canada21014261590842022-10-09T19:54:28Z{{TemplateMapping +| mapToClass = Settlement +| mappings = + {{ConstantMapping | ontologyProperty = country | value = Canada }} + {{PropertyMapping | templateProperty = nom | ontologyProperty = foaf:name | language = fr }} + {{PropertyMapping | templateProperty = image | ontologyProperty = thumbnail }} + {{PropertyMapping | templateProperty = légende | ontologyProperty = thumbnailCaption }} + {{PropertyMapping | templateProperty = blason | ontologyProperty = blazon }} + {{PropertyMapping | templateProperty = légende blason | ontologyProperty = blazonCaption }} + {{PropertyMapping | templateProperty = drapeau | ontologyProperty = flag }} + {{PropertyMapping | templateProperty = légende drapeau | ontologyProperty = flagCaption }} + {{PropertyMapping | templateProperty = prov | ontologyProperty = province }} + {{PropertyMapping | templateProperty = terr | ontologyProperty = territory }} + {{IntermediateNodeMapping + | nodeClass = Politician + | correspondingProperty = politicalLeader + | mappings = + {{PropertyMapping | templateProperty = maire | ontologyProperty = mayor }} + {{DateIntervalMapping + | templateProperty = mandat maire + | startDateOntologyProperty = activeYearsStartYear + | endDateOntologyProperty = activeYearsEndYear + }} + }} + {{IntermediateNodeMapping + | nodeClass = Politician + | correspondingProperty = politicalLeader + | mappings = + {{PropertyMapping | templateProperty = mairesse | ontologyProperty = mayor }} + {{DateIntervalMapping + | templateProperty = mandat maire + | startDateOntologyProperty = activeYearsStartYear + | endDateOntologyProperty = activeYearsEndYear + }} + }} + {{IntermediateNodeMapping + | nodeClass = Politician + | correspondingProperty = politicalLeader + | mappings = + {{PropertyMapping | templateProperty = chef | ontologyProperty = mayor }} + {{DateIntervalMapping + | templateProperty = mandat + | startDateOntologyProperty = activeYearsStartYear + | endDateOntologyProperty = activeYearsEndYear + }} + }} + {{IntermediateNodeMapping + | nodeClass = Politician + | correspondingProperty = politicalLeader + | mappings = + {{PropertyMapping | templateProperty = cheffe | ontologyProperty = mayor }} + {{DateIntervalMapping + | templateProperty = mandat + | startDateOntologyProperty = activeYearsStartYear + | endDateOntologyProperty = activeYearsEndYear + }} + }} + {{PropertyMapping | templateProperty = web | ontologyProperty = foaf:homepage }} + {{PropertyMapping | templateProperty = région | ontologyProperty = region }} + {{PropertyMapping | templateProperty = dr | ontologyProperty = administrativeDistrict }} + {{GeocoordinatesMapping | latitude = latitude | longitude = longitude }} + {{IntermediateNodeMapping + | nodeClass = Altitude + | correspondingProperty = altitude + | mappings = + {{PropertyMapping | templateProperty = altitude | ontologyProperty = value }} + {{PropertyMapping | templateProperty = alt mini | ontologyProperty = min }} + {{PropertyMapping | templateProperty = alt maxi | ontologyProperty = max }} + }} + {{IntermediateNodeMapping + | nodeClass = Area + | correspondingProperty = wholeArea + | mappings = + {{PropertyMapping | templateProperty = superficie | ontologyProperty = value }} + }} + {{PropertyMapping | templateProperty = fond | ontologyProperty = foundedBy}} + {{PropertyMapping | templateProperty = datefond | ontologyProperty = foundingDate }} + {{PropertyMapping | templateProperty = const | ontologyProperty = foundingDate }} +}}Mapping fr:Infobox Musique (artiste)2104386571092022-03-12T20:26:17Z{{ConditionalMapping | cases = {{Condition | templateProperty = charte @@ -4963,6 +5189,7 @@ | defaultMappings = + {{PropertyMapping | templateProperty = charte | ontologyProperty = artistFunction }} {{PropertyMapping | templateProperty = nom | ontologyProperty = foaf:name }} {{PropertyMapping | templateProperty = nom de naissance | ontologyProperty = birthName }} {{PropertyMapping | templateProperty = nom alias | ontologyProperty = foaf:nick }} @@ -4988,12 +5215,16 @@ {{PropertyMapping | templateProperty = ex membres | ontologyProperty = formerBandMember }} {{PropertyMapping | templateProperty = site web | ontologyProperty = foaf:homepage }} {{PropertyMapping | templateProperty = logo | ontologyProperty = foaf:logo }} + {{PropertyMapping | templateProperty = upright | ontologyProperty = scaleFactor}} + {{PropertyMapping | templateProperty = image | ontologyProperty = picture }} }}Mapping fr:Infobox Musique (festival)2106549241462013-03-01T14:46:52Z{{TemplateMapping | mapToClass = MusicFestival | mappings =    {{PropertyMapping | templateProperty = période | ontologyProperty = duration }} {{PropertyMapping | templateProperty = capacité | ontologyProperty = numberOfPeopleAttending }} -}}Mapping fr:Infobox Musique (œuvre)2104387354832014-06-27T21:42:33Z{{ConditionalMapping +}}Mapping fr:Infobox Musique (œuvre)2104387573882022-04-01T17:41:29Z{{ConditionalMapping +<!-- Recognized charte = album, live, ep, compilation, remix, vidéo, bande originale, single, single promotionnel, Chanson --> +<!-- --> | cases = {{Condition | templateProperty = charte @@ -5004,6 +5235,7 @@ | header = 0 | mappings = {{PropertyMapping | templateProperty = durée | ontologyProperty = albumRuntime | unit = minute }} + {{PropertyMapping | templateProperty = single | ontologyProperty = singleList}} }} }} {{Condition @@ -5103,7 +5335,8 @@ {{Condition | operator = otherwise | mapping = - {{TemplateMapping |mapToClass = MusicalWork }} + {{TemplateMapping + |mapToClass = MusicalWork }} }} | defaultMappings = @@ -5132,6 +5365,51 @@ {{PropertyMapping | templateProperty = auteur-compositeur | ontologyProperty = composer }} {{PropertyMapping | templateProperty = édition | ontologyProperty = publisher }} {{PropertyMapping | templateProperty = classement | ontologyProperty = rank }} + + {{PropertyMapping | templateProperty = date album suiv | ontologyProperty = subsequentWorkDate }} + {{PropertyMapping | templateProperty = date album préc | ontologyProperty = previousWorkDate }} + {{PropertyMapping | templateProperty = date single suiv | ontologyProperty = subsequentWorkDate }} + {{PropertyMapping | templateProperty = date single préc | ontologyProperty = previousWorkDate }} + + {{PropertyMapping | templateProperty = numéro piste préc | ontologyProperty = nextTrackNumber}} + {{PropertyMapping | templateProperty = numéro piste suiv | ontologyProperty = previousTrackNumber}} + {{PropertyMapping | templateProperty = réalisateur | ontologyProperty = director}} + {{PropertyMapping | templateProperty = featuring | ontologyProperty = featuring}} + {{PropertyMapping | templateProperty = légende | ontologyProperty = thumbnailCaption }} + {{PropertyMapping | templateProperty = image | ontologyProperty = picture }} + {{PropertyMapping | templateProperty = upright | ontologyProperty = scaleFactor}} + {{PropertyMapping | templateProperty = artiste principal | ontologyProperty = mainArtist}} + {{PropertyMapping | templateProperty = titre article en italique| ontologyProperty = italicTitle }} + {{PropertyMapping | templateProperty = historique | ontologyProperty = outputHistory }} + +<!-- template {{Succession musicale : développement linéaire : ca ne mappe pas divers +Mapping_fr:Infobox_Musique_(œuvre): Couldn't load property mapping on page Mapping fr:Infobox Musique (œuvre). Details: Unknown property type TemplateMapping on page title=Infobox Musique (œuvre);ns=210/Mapping fr/Mapping fr;language:wiki=fr,locale=fr + + {{TemplateMapping + | mapToClass = WorkSequence + | correspondingClass = MusicalWork + | correspondingProperty = otherWorks + | mappings = + {{PropertyMapping | templateProperty = divers | ontologyProperty = otherWorks }} + {{PropertyMapping | templateProperty = précédent | ontologyProperty = previousWork }} + {{PropertyMapping | templateProperty = date préc | ontologyProperty = year }} + {{PropertyMapping | templateProperty = suivant | ontologyProperty = subsequentWork }} + {{PropertyMapping | templateProperty = date suiv | ontologyProperty = year }} + }} +--> + + {{IntermediateNodeMapping + | nodeClass = WorkSequence + | correspondingProperty = otherWorks + | mappings = + {{PropertyMapping | templateProperty = divers | ontologyProperty = otherWorks }} + {{PropertyMapping | templateProperty = précédent | ontologyProperty = previousWork }} + {{PropertyMapping | templateProperty = date préc | ontologyProperty = year }} + {{PropertyMapping | templateProperty = suivant | ontologyProperty = subsequentWork }} + {{PropertyMapping | templateProperty = date suiv | ontologyProperty = year }} + }} + + }}Mapping fr:Infobox Musique classique (personnalité)2105925281322013-08-31T18:27:08Z<!-- For an overview over all known types see: http://fr.wikipedia.org/wiki/Mod%C3%A8le:Infobox_Musique_classique_(personnalit%C3%A9)#Charte_graphique --> {{ConditionalMapping @@ -5237,6 +5515,12 @@ {{PropertyMapping | templateProperty = type | ontologyProperty = type }} {{PropertyMapping | templateProperty = network | ontologyProperty = network }} --> +}}Mapping fr:Infobox Métier21014269590992022-10-13T12:34:06Z{{TemplateMapping +| mapToClass = Profession +| mappings = + {{PropertyMapping | templateProperty = nom | ontologyProperty = foaf:name}} + {{PropertyMapping | templateProperty = image | ontologyProperty = thumbnail}} + {{PropertyMapping | templateProperty = légende | ontologyProperty = thumbnailCaption}} }}Mapping fr:Infobox Nageur2105864273662013-07-10T14:15:24Z{{ TemplateMapping | mapToClass = Swimmer | mappings = @@ -5393,6 +5677,92 @@ {{ PropertyMapping | templateProperty = site web | ontologyProperty = foaf:homepage }} {{ PropertyMapping | templateProperty = devise | ontologyProperty = motto }} {{GeocoordinatesMapping | latitude = latitude | longitude = longitude }} +}}Mapping fr:Infobox Organisation221014145590872022-10-09T20:16:33Z{{ TemplateMapping | mapToClass = Organisation +| mappings = + {{ PropertyMapping | templateProperty = nom | ontologyProperty = foaf:name }} + {{IntermediateNodeMapping + | nodeClass = Image + | correspondingProperty = logo + | mappings = + {{PropertyMapping | templateProperty = logo | ontologyProperty = logo }} + {{PropertyMapping | templateProperty = légende logo | ontologyProperty = thumbnailCaption }} + {{PropertyMapping | templateProperty = taille logo | ontologyProperty = sizeLogo }} + + }} + {{ PropertyMapping | templateProperty = pays | ontologyProperty = country }} + {{ PropertyMapping | templateProperty = création | ontologyProperty = formationDate }} + {{ PropertyMapping | templateProperty = création | ontologyProperty = formationYear }} + {{ PropertyMapping | templateProperty = fondation | ontologyProperty = formationDate }} + {{ PropertyMapping | templateProperty = fondation | ontologyProperty = formationYear }} + {{ PropertyMapping | templateProperty = date_de_fondation | ontologyProperty = formationDate }} + {{ PropertyMapping | templateProperty = date_de_fondation | ontologyProperty = formationYear }} + {{ PropertyMapping | templateProperty = dissolution | ontologyProperty = extinctionDate }} + {{ PropertyMapping | templateProperty = dissolution | ontologyProperty = extinctionYear }} + {{ PropertyMapping | templateProperty = siège | ontologyProperty = headquarter }} + {{ PropertyMapping | templateProperty = siège social | ontologyProperty = headquarter }} + {{ PropertyMapping | templateProperty = siege | ontologyProperty = headquarter }} + {{ PropertyMapping | templateProperty = région | ontologyProperty = region }} + {{ PropertyMapping | templateProperty = langue | ontologyProperty = language }} + {{IntermediateNodeMapping + | nodeClass = PersonFunction + | correspondingProperty = leaderFunction + | mappings = + {{ PropertyMapping | templateProperty = dirigeant | ontologyProperty = person }} + {{ PropertyMapping | templateProperty = dirigeant | ontologyProperty = personName }} + {{ PropertyMapping | templateProperty = titre dirigeant | ontologyProperty = title }} + }} + {{IntermediateNodeMapping + | nodeClass = PersonFunction + | correspondingProperty = leaderFunction + | mappings = + {{ PropertyMapping | templateProperty = dirigeant1 | ontologyProperty = person }} + {{ PropertyMapping | templateProperty = dirigeant1 | ontologyProperty = personName }} + {{ PropertyMapping | templateProperty = titre dirigeant1 | ontologyProperty = title }} + }} + {{IntermediateNodeMapping + | nodeClass = PersonFunction + | correspondingProperty = leaderFunction + | mappings = + {{ PropertyMapping | templateProperty = dirigeant2 | ontologyProperty = person }} + {{ PropertyMapping | templateProperty = dirigeant2 | ontologyProperty = personName }} + {{ PropertyMapping | templateProperty = titre dirigeant2 | ontologyProperty = title }} + }} + {{IntermediateNodeMapping + | nodeClass = PersonFunction + | correspondingProperty = leaderFunction + | mappings = + {{ PropertyMapping | templateProperty = dirigeant3 | ontologyProperty = person }} + {{ PropertyMapping | templateProperty = dirigeant3 | ontologyProperty = personName }} + {{ PropertyMapping | templateProperty = titre dirigeant3 | ontologyProperty = title }} + }} + {{ PropertyMapping | templateProperty = personne clé | ontologyProperty = keyPerson }} + {{ PropertyMapping | templateProperty = budget | ontologyProperty = endowment }} + {{ PropertyMapping | templateProperty = effectifs | ontologyProperty = numberOfStaff }} + {{ PropertyMapping | templateProperty = membre | ontologyProperty = numberOfMembers }} + {{ PropertyMapping | templateProperty = affiliation | ontologyProperty = affiliation }} + {{ PropertyMapping | templateProperty = type | ontologyProperty = type }} + {{ PropertyMapping | templateProperty = site web | ontologyProperty = foaf:homepage }} + {{ PropertyMapping | templateProperty = devise | ontologyProperty = motto }} + {{ PropertyMapping | templateProperty = slogan | ontologyProperty = motto }} + {{ PropertyMapping | templateProperty = association_slogan | ontologyProperty = motto }} + {{GeocoordinatesMapping | latitude = latitude | longitude = longitude }} +}}Mapping fr:Infobox Ouvrage21014263590902022-10-09T20:38:19Z{{TemplateMapping +| mapToClass = WrittenWork +| mappings = + {{PropertyMapping | templateProperty = nom | ontologyProperty = foaf:name }} + {{PropertyMapping | templateProperty = titre | ontologyProperty = foaf:name }} + {{PropertyMapping | templateProperty = titre original | ontologyProperty = originalTitle }} + {{PropertyMapping | templateProperty = auteur | ontologyProperty = author }} + {{PropertyMapping | templateProperty = langue | ontologyProperty = language }} + {{PropertyMapping | templateProperty = pays | ontologyProperty = country }} + {{PropertyMapping | templateProperty = précédé par | ontologyProperty = previousWork }} + {{PropertyMapping | templateProperty = suivi par | ontologyProperty = subsequentWork }} + {{PropertyMapping | templateProperty = genre | ontologyProperty = literaryGenre }} + {{PropertyMapping | templateProperty = date de parution | ontologyProperty = firstPublicationDate }} + {{PropertyMapping | templateProperty = date de parution | ontologyProperty = firstPublicationYear }} + {{PropertyMapping | templateProperty = partie de | ontologyProperty = isPartOf }} + {{PropertyMapping | templateProperty = personnage | ontologyProperty = mainCharacter }} + {{PropertyMapping | templateProperty = traduction | ontologyProperty = translator }} }}Mapping fr:Infobox Parti politique2107472282682013-09-05T15:34:13Z{{TemplateMapping | mapToClass = PoliticalParty | mappings = @@ -5633,6 +6003,27 @@ {{PropertyMapping | templateProperty = équipe_actuelle | ontologyProperty = currentTeam }} {{PropertyMapping | templateProperty = équipe_précédente | ontologyProperty = team }} {{PropertyMapping | templateProperty = jutsu | ontologyProperty = jutsu }} +}}Mapping fr:Infobox Personnalité des sciences humaines et sociales21014264590932022-10-11T07:58:07Z{{TemplateMapping +| mapToClass = Person +| mappings = + {{PropertyMapping | templateProperty = nom | ontologyProperty = foaf:name }} + {{PropertyMapping | templateProperty = image | ontologyProperty = thumbnail }} + {{PropertyMapping | templateProperty = légende | ontologyProperty = thumbnailCaption }} + {{PropertyMapping | templateProperty = date de naissance | ontologyProperty = birthDate }} + {{PropertyMapping | templateProperty = lieu de naissance | ontologyProperty = birthPlace }} + {{PropertyMapping | templateProperty = pays_naissance | ontologyProperty = nationality }} + {{PropertyMapping | templateProperty = date de décès | ontologyProperty = deathDate }} + {{PropertyMapping | templateProperty = lieu de décès | ontologyProperty = deathPlace }} + {{PropertyMapping | templateProperty = nationalité | ontologyProperty = nationality }} + {{PropertyMapping | templateProperty = profession | ontologyProperty = occupation}} + {{PropertyMapping | templateProperty = études | ontologyProperty = education}} + {{PropertyMapping | templateProperty = formation | ontologyProperty = education}} + {{PropertyMapping | templateProperty = influencé par | ontologyProperty = influencedBy }} + {{PropertyMapping | templateProperty = partisan | ontologyProperty = influenced }} + {{PropertyMapping | templateProperty = œuvres principales | ontologyProperty = notableWork }} + {{PropertyMapping | templateProperty = approche | ontologyProperty = movement }} + {{PropertyMapping | templateProperty = principaux intérêts | ontologyProperty = interest }} + {{PropertyMapping | templateProperty = travaux | ontologyProperty = notableWork }} }}Mapping fr:Infobox Personnalité des sciences sociales2107778273692013-07-10T14:25:23Z{{TemplateMapping | mapToClass = Person | mappings = @@ -5736,7 +6127,7 @@ {{PropertyMapping | templateProperty = famille | ontologyProperty = family}} {{PropertyMapping | templateProperty = emblème | ontologyProperty = foaf:logo}} {{PropertyMapping | templateProperty = liste | ontologyProperty = relative}} -}}Mapping fr:Infobox Personnalité politique2103448491552015-10-13T12:52:54Z{{ConditionalMapping +}}Mapping fr:Infobox Personnalité politique2103448587922022-05-31T15:14:22Z{{ConditionalMapping | cases = {{Condition | templateProperty = fonction1 @@ -6082,8 +6473,8 @@ {{ PropertyMapping | templateProperty = université | ontologyProperty = university }} {{ PropertyMapping | templateProperty = conjoint | ontologyProperty = spouse }} {{ PropertyMapping | templateProperty = enfants | ontologyProperty = child }} - {{ PropertyMapping | templateProperty = père | ontologyProperty = parent }} - {{ PropertyMapping | templateProperty = mère | ontologyProperty = parent }} + {{ PropertyMapping | templateProperty = père | ontologyProperty = father }} + {{ PropertyMapping | templateProperty = mère | ontologyProperty = mother }} {{ PropertyMapping | templateProperty = dynastie | ontologyProperty = dynasty }} {{ PropertyMapping | templateProperty = profession | ontologyProperty = profession }} {{ PropertyMapping | templateProperty = religion | ontologyProperty = religion }} @@ -6108,6 +6499,21 @@ {{PropertyMapping | templateProperty = fonction_diverse | ontologyProperty = otherFunction}} {{PropertyMapping | templateProperty = distinction | ontologyProperty = decoration }} {{PropertyMapping | templateProperty = hommage | ontologyProperty = homage }} +}}Mapping fr:Infobox Phare21014262590952022-10-13T09:19:35Z{{TemplateMapping +| mapToClass = Lighthouse +| mappings = + {{PropertyMapping | templateProperty = image | ontologyProperty = thumbnail }} + {{PropertyMapping | templateProperty = légende | ontologyProperty = thumbnailCaption }} + {{PropertyMapping | templateProperty = pays | ontologyProperty = country }} + + {{GeocoordinatesMapping | latitude = latitude | longitude = longitude }} + {{DateIntervalMapping + | templateProperty = construction + | startDateOntologyProperty = buildingStartDate + | endDateOntologyProperty = buildingEndDate + }} + + {{PropertyMapping | templateProperty = hauteur | ontologyProperty = height }} }}Mapping fr:Infobox Philosophe2106415273892013-07-10T15:09:49Z{{TemplateMapping | mapToClass = Philosopher | mappings = @@ -10000,6 +10406,10 @@ Temperature }} {{PropertyMapping | templateProperty = découvertes | ontologyProperty = knownFor }} {{PropertyMapping | templateProperty = expéditions | ontologyProperty = expedition }} {{PropertyMapping | templateProperty = activités autres | ontologyProperty = occupation }} +}}Mapping fr:Infobox Élection21014258590792022-10-09T19:07:37Z{{TemplateMapping +| mapToClass = Election +| mappings = + {{PropertyMapping | templateProperty = pays | ontologyProperty = country }} }}Mapping fr:Infobox Émission de télévision2105059166392012-01-25T09:50:05Z{{ TemplateMapping | mapToClass = TelevisionShow }}Mapping fr:Infobox Épisode de série télévisée2105060166402012-01-25T09:51:22Z{{ @@ -10199,7 +10609,7 @@ Temperature }} {{PropertyMapping | templateProperty = caractère | ontologyProperty = mood }} {{PropertyMapping | templateProperty = alias | ontologyProperty = foaf:nick }} {{PropertyMapping | templateProperty = alias original | ontologyProperty = foaf:nick }} -}}Mapping fr:Pistes2109574354942014-06-27T22:20:13Z{{TemplateMapping +}}Mapping fr:Pistes2109574571502022-03-14T23:17:43Z{{TemplateMapping | mapToClass = TrackList | correspondingClass = Album | correspondingProperty = album @@ -10460,8 +10870,75 @@ Temperature }} {{PropertyMapping | templateProperty = length15 | ontologyProperty = runtime | unit = minute }} {{PropertyMapping | templateProperty = note15 | ontologyProperty = comment }} }} + {{IntermediateNodeMapping + | nodeClass = Song + | correspondingProperty = division + | mappings = + {{PropertyMapping | templateProperty = piste16 | ontologyProperty = foaf:name }} + {{PropertyMapping | templateProperty = title16 | ontologyProperty = foaf:name }} + {{PropertyMapping | templateProperty = numero16 | ontologyProperty = trackNumber }} + {{PropertyMapping | templateProperty = auteur16 | ontologyProperty = writer }} + {{PropertyMapping | templateProperty = tout_ecriture | ontologyProperty = writer }} + {{PropertyMapping | templateProperty = paroles16 | ontologyProperty = lyrics }} + {{PropertyMapping | templateProperty = tout_paroles | ontologyProperty = lyrics }} + {{PropertyMapping | templateProperty = musique16 | ontologyProperty = composer }} + {{PropertyMapping | templateProperty = tout_musique | ontologyProperty = composer }} + {{PropertyMapping | templateProperty = temps16 | ontologyProperty = runtime | unit = minute }} + {{PropertyMapping | templateProperty = length16 | ontologyProperty = runtime | unit = minute }} + {{PropertyMapping | templateProperty = note16 | ontologyProperty = comment }} + }} {{PropertyMapping | templateProperty = total_temps | ontologyProperty = runtime | unit = minute }} -}}Mapping fr:Succession/Ligne2104450459512015-03-15T19:22:50Z{{TemplateMapping +}}Mapping fr:Single21013830571852022-03-17T09:08:58Z<!-- dummy file: to be deleted -->Mapping fr:Singles21013827571952022-03-18T14:29:29Z{{TemplateMapping +| mapToClass = SingleList +| mappings = + {{PropertyMapping | templateProperty = single 1 | ontologyProperty = singleOf }} + {{PropertyMapping | templateProperty = single 1 date | ontologyProperty = foaf:name }} + {{PropertyMapping | templateProperty = date 1 | ontologyProperty = date }} + + {{PropertyMapping | templateProperty = single 2 | ontologyProperty = singleOf }} + {{PropertyMapping | templateProperty = single 2 date | ontologyProperty = foaf:name }} + {{PropertyMapping | templateProperty = date 2 | ontologyProperty = date }} + + {{PropertyMapping | templateProperty = single 3 | ontologyProperty = singleOf }} + {{PropertyMapping | templateProperty = single 3 date | ontologyProperty = foaf:name }} + {{PropertyMapping | templateProperty = date 3 | ontologyProperty = date }} + + {{PropertyMapping | templateProperty = single 4 | ontologyProperty = singleOf }} + {{PropertyMapping | templateProperty = single 4 date | ontologyProperty = foaf:name }} + {{PropertyMapping | templateProperty = date 4 | ontologyProperty = date }} + + {{PropertyMapping | templateProperty = single 5 | ontologyProperty = singleOf }} + {{PropertyMapping | templateProperty = single 5 date | ontologyProperty = foaf:name }} + {{PropertyMapping | templateProperty = date 5 | ontologyProperty = date }} + + {{PropertyMapping | templateProperty = single 6 | ontologyProperty = singleOf }} + {{PropertyMapping | templateProperty = single 6 date | ontologyProperty = foaf:name }} + {{PropertyMapping | templateProperty = date 6 | ontologyProperty = date }} + + {{PropertyMapping | templateProperty = single 7 | ontologyProperty = singleOf }} + {{PropertyMapping | templateProperty = single 7 date | ontologyProperty = foaf:name }} + {{PropertyMapping | templateProperty = date 7 | ontologyProperty = date }} + + {{PropertyMapping | templateProperty = single 8 | ontologyProperty = singleOf }} + {{PropertyMapping | templateProperty = single 8 date | ontologyProperty = foaf:name }} + {{PropertyMapping | templateProperty = date 8 | ontologyProperty = date }} + + {{PropertyMapping | templateProperty = single 9 | ontologyProperty = singleOf }} + {{PropertyMapping | templateProperty = single 9 date | ontologyProperty = foaf:name }} + {{PropertyMapping | templateProperty = date 9 | ontologyProperty = date }} + + {{PropertyMapping | templateProperty = single 10 | ontologyProperty = singleOf }} + {{PropertyMapping | templateProperty = single 10 date | ontologyProperty = foaf:name }} + {{PropertyMapping | templateProperty = date 10 | ontologyProperty = date }} + + {{PropertyMapping | templateProperty = single 11 | ontologyProperty = singleOf }} + {{PropertyMapping | templateProperty = single 11 date | ontologyProperty = foaf:name }} + {{PropertyMapping | templateProperty = date 11 | ontologyProperty = date }} + + {{PropertyMapping | templateProperty = single 12 | ontologyProperty = singleOf }} + {{PropertyMapping | templateProperty = single 12 date | ontologyProperty = foaf:name }} + {{PropertyMapping | templateProperty = date 12 | ontologyProperty = date }} +}}Mapping fr:Succession/Ligne2104450574132022-04-14T17:14:04Z{{TemplateMapping | mapToClass = owl:Thing <!-- Should be corresponding to Person but that doesn't seem to work | mapToClass = PersonFunction @@ -10473,6 +10950,28 @@ Temperature }} | nodeClass = PersonFunction | correspondingProperty = occupation | mappings = +<!-- +couleur hexa case de gauche + {{PropertyMapping | templateProperty = couleur1 | ontologyProperty = title }} +couleur hexa case centrale + {{PropertyMapping | templateProperty = couleur2 | ontologyProperty = title }} +couleur hexa case de droite + {{PropertyMapping | templateProperty = couleur3 | ontologyProperty = title }} +image icone au dessus du nom + {{PropertyMapping | templateProperty = icone | ontologyProperty = title }} +image icone a gauche du nom + {{PropertyMapping | templateProperty = iconeG | ontologyProperty = title }} +nbre de fois successives ou le successeur est utilise; fusion col droite + {{PropertyMapping | templateProperty = nbap | ontologyProperty = title }} +nbre de fois successives ou le predecesseur est utilise; fusion col gauche + {{PropertyMapping | templateProperty = nbav | ontologyProperty = title }} +image icone a droite du nom + {{PropertyMapping | templateProperty = iconeD | ontologyProperty = title }} +??taille + {{PropertyMapping | templateProperty = taille | ontologyProperty = title }} +nbre de fois successives ou le nom sera utilise /fusion colonne centrale + {{PropertyMapping | templateProperty = nbno | ontologyProperty = title }} +--> {{PropertyMapping | templateProperty = nom | ontologyProperty = title }} {{PropertyMapping | templateProperty = nom | ontologyProperty = category }} {{DateIntervalMapping @@ -10488,6 +10987,55 @@ Temperature }} {{PropertyMapping | templateProperty = avant | ontologyProperty = predecessor }} {{PropertyMapping | templateProperty = après | ontologyProperty = successor }} }} +}}Mapping fr:Succession musicale21013831572312022-03-25T09:53:49Z<!-- en travaux + https://fr.wikipedia.org/wiki/Mod%C3%A8le:Succession_musicale + + +TemplateMapping +| mapToClass = SingleList +| mappings = + +.-------single +| .-------syntaxe générale +| | .------ bande originale +| | | .------ entete libre +| | | | +| X {{PropertyMapping | templateProperty = charte | ontologyProperty = singleOf }} +X X {{PropertyMapping | templateProperty = artiste | ontologyProperty = foaf:name }} + X {{PropertyMapping | templateProperty = film | ontologyProperty = related }} + X {{PropertyMapping | templateProperty = entête | ontologyProperty = foaf:name }} + +X X X X {{PropertyMapping | templateProperty = précédent | ontologyProperty = previousWork }} +X X X X {{PropertyMapping | templateProperty = date préc | ontologyProperty = year }} +X X X X {{PropertyMapping | templateProperty = suivant | ontologyProperty = subsequentWork }} +X X X X {{PropertyMapping | templateProperty = date suiv | ontologyProperty = year }} + +TemplateMapping | mapToClass = Automobile | mappings = {{IntermediateNodeMapping | nodeClass = AutomobileEngine | correspondingProperty = engine | mappings = {{PropertyMapping | ontologyProperty = number | templateProperty = engine }} {{PropertyMapping | ontologyProperty = power | templateProperty = engine | unit = Power }} {{PropertyMapping | ontologyProperty = torque | templateProperty = engine | unit = newtonMeter }} }} + + --> + + +{{TemplateMapping +| mapToClass = WorkSequence +| mappings = + {{PropertyMapping | templateProperty = charte | ontologyProperty = singleOf }} + {{PropertyMapping | templateProperty = artiste | ontologyProperty = foaf:name }} + {{PropertyMapping | templateProperty = film | ontologyProperty = related }} + {{PropertyMapping | templateProperty = entête | ontologyProperty = foaf:name }} + + {{PropertyMapping | templateProperty = précédent | ontologyProperty = previousWork }} + {{PropertyMapping | templateProperty = date préc | ontologyProperty = year }} + {{PropertyMapping | templateProperty = suivant | ontologyProperty = subsequentWork }} + {{PropertyMapping | templateProperty = date suiv | ontologyProperty = year }} + +<!-- + {{IntermediateNodeMapping | nodeClass = WorkSequence | mappings = + {{PropertyMapping | templateProperty = précédent | ontologyProperty = previousWork }} + {{PropertyMapping | templateProperty = date préc | ontologyProperty = year }} + {{PropertyMapping | templateProperty = suivant | ontologyProperty = subsequentWork }} + {{PropertyMapping | templateProperty = date suiv | ontologyProperty = year }} + }} + --> }}Mapping fr:Taxobox21011834520302017-04-14T13:13:35Z{{TemplateMapping | mapToClass = owl:Thing | mappings = diff --git a/mappings/Mapping_hu.xml b/mappings/Mapping_hu.xml index e49995b544..3116a7c1d8 100644 --- a/mappings/Mapping_hu.xml +++ b/mappings/Mapping_hu.xml @@ -248,7 +248,7 @@ {{PropertyMapping | templateProperty = terület | ontologyProperty = area }} {{PropertyMapping | templateProperty = szöveg_pozíciója | ontologyProperty = sourcePosition }} {{PropertyMapping | templateProperty = weboldal | ontologyProperty = foaf:homepage }} -}}Mapping hu:Egyház infobox2382696100402010-10-27T16:20:07Z{{TemplateMapping +}}Mapping hu:Egyház infobox2382696548662021-07-19T14:14:05Z{{TemplateMapping | mapToClass = Cleric | mappings = {{PropertyMapping | templateProperty = név | ontologyProperty = foaf:name }} @@ -270,7 +270,6 @@ {{PropertyMapping | templateProperty = székhely | ontologyProperty = headquarter }} {{PropertyMapping | templateProperty = terület | ontologyProperty = area }} {{PropertyMapping | templateProperty = technikai_szám | ontologyProperty = number }} -}} {{PropertyMapping | templateProperty = honlap | ontologyProperty = foaf:homepage }} }}Mapping hu:Egyházi személy infobox2382706100772010-10-27T17:25:15Z{{TemplateMapping | mapToClass = Cleric @@ -720,7 +719,7 @@ {{PropertyMapping | templateProperty = kitüntetései | ontologyProperty = award }} {{PropertyMapping | templateProperty = rokonai | ontologyProperty = related }} {{PropertyMapping | templateProperty = polgári_foglalkozása | ontologyProperty = occupation }} -}}Mapping hu:Katonai konfliktus infobox2382644104902010-11-19T11:51:40Z{{TemplateMapping +}}Mapping hu:Katonai konfliktus infobox2382644548652021-07-19T14:01:50Z{{TemplateMapping | mapToClass = MilitaryConflict | mappings = {{PropertyMapping | templateProperty = konfliktus | ontologyProperty = foaf:name }} @@ -729,7 +728,6 @@ {{PropertyMapping | templateProperty = eredmény | ontologyProperty = result }} {{PropertyMapping | templateProperty = ok | ontologyProperty = causalties }} {{PropertyMapping | templateProperty = területváltozások | ontologyProperty = territory }} - {{PropertyMapping | templateProperty = {{PropertyMapping | templateProperty = parancsnok1 | ontologyProperty = commander }} {{PropertyMapping | templateProperty = parancsnok2 | ontologyProperty = commander }} {{PropertyMapping | templateProperty = haderők1 | ontologyProperty = strength }} @@ -2610,7 +2608,7 @@ {{PropertyMapping | templateProperty = szélesség | ontologyProperty = width }} {{PropertyMapping | templateProperty = hosszúság | ontologyProperty = length }} {{PropertyMapping | templateProperty = szöveg_pozíciója | ontologyProperty = sourcePosition }} -}}Mapping hu:Író infobox2382620100712010-10-27T17:20:39Z{{TemplateMapping +}}Mapping hu:Író infobox2382620548672021-07-19T14:15:19Z{{TemplateMapping | mapToClass = Writer | mappings = {{PropertyMapping | templateProperty = név | ontologyProperty = foaf:name }} @@ -2628,7 +2626,6 @@ {{PropertyMapping | templateProperty = műfaj | ontologyProperty = genre }} {{PropertyMapping | templateProperty = irányzat | ontologyProperty = movement }} {{PropertyMapping | templateProperty = periódus | ontologyProperty = era }} -}} {{PropertyMapping | templateProperty = első_mű | ontologyProperty = notableWork }} {{PropertyMapping | templateProperty = fő_mű | ontologyProperty = notableWork }} {{PropertyMapping | templateProperty = kiadó | ontologyProperty = rdfs:label }} diff --git a/ontology.owl b/ontology.owl index bd9e84c10f..eae8831163 100644 --- a/ontology.owl +++ b/ontology.owl @@ -13,7 +13,7 @@ DBpedia Maintainers DBpedia Maintainers and Contributors 2008-11-17T12:00Z - asdf + 4.2-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 @@ -23,1543 +23,3157 @@ - - バスケットボールリーグliga de baloncestolega di pallacanestrobasketbal competitiebasketball league농구 리그Ομοσπονδία Καλαθοσφαίρισηςsraith cispheileligue de basketballBasketball-Ligaa group of sports teams that compete against each other in Basketball + + Place in the Music Chartsموسیقی چارٹس میں جگہ + + نيزہ باز + + paintball leagueپینٹبال انجمنa group of sports teams that compete against each other in Paintballکھیلوں کی ٹیموں کا ایک گروہ جو پینٹ بال(مصنوعي روغني گوليوں سے فوجي انداز کي جنگ لڑنے کي نقل) میں ایک دوسرے سے مقابلہ کرتا ہے۔ + + liga de baloncesto농구 리그basketbal competitieΟμοσπονδία ΚαλαθοσφαίρισηςバスケットボールリーグBasketball-Ligasraith cispheilelega di pallacanestroباسکٹ بال کی انجمنligue de basketballbasketball leaguea group of sports teams that compete against each other in Basketballکھیلوں کی ٹیموں کا ایک گروپ جو باسکٹ بال میں ایک دوسرے سے مقابلہ کرتا ہے + + penalty shoot-outسزا دینے کا عملسزا دینے کا عمل کھیلوں کے میچوں میں فاتح کا تعین کرنے کا ایک طریقہ ہے جو بصورت دیگر نکل دیا جاتا ہے یا برابر ہو جاتا۔ + + کسرتیgymnastجمناسٹ وہ ہوتا ہے جو جمناسٹکس کرتا ہےA gymnast is one who performs gymnastics + + جزیرہisland - evento naturalegebeurtenis in de natuurnatural eventφυσικό γεγονόςévénement naturelNaturereignisΤο φυσικό γεγονός χρησιμοποιείται για να περιγράψει ένα συμβάν που πραγματοποιείται φυσικά + gebeurtenis in de natuurφυσικό γεγονόςNaturereignisevento naturaleقدرتی واقعہévénement naturelnatural eventΤο φυσικό γεγονός χρησιμοποιείται για να περιγράψει ένα συμβάν που πραγματοποιείται φυσικάمادی تقریب کا استعمال قدرتی طور پر رونما ہونے والے واقعے کو بیان کرنے کے لیے کیا جاتا ہے۔ + + city districtشہر کا ضلعDistrict, borough, area or neighbourhood in a city or townکسی شہر یا قصبے میں ضلع کا علاقہ یا محلہ۔ - 英語圏の行政区画provincieprovinceεπαρχίαcúigeprovinceProvinzAn administrative body governing a territorial unity on the intermediate level, between local and national levelΕίναι διοικητική δομή του κράτους που διοικεί μια περιοχή που είναι σε έκταση μεγαλύτερη από τοπικό επίπεδο και μικρότερη από εθνικό επίπεδο. + provincieεπαρχία英語圏の行政区画ProvinzcúigeصوبہprovinceprovinceAn administrative body governing a territorial unity on the intermediate level, between local and national levelEntité administrative en charge d'une unité territoriale se situant entre le niveau local et national; ex: Province Nord (Nouvelle-Calédonie)Είναι διοικητική δομή του κράτους που διοικεί μια περιοχή που είναι σε έκταση μεγαλύτερη από τοπικό επίπεδο και μικρότερη από εθνικό επίπεδο.ایک انتظامی ادارہ جو مقامی اور قومی سطح کے درمیان انٹرمیڈیٹ سطح پر علاقائی وحدت کا انتظام کرتا ہے۔ + + فرقہ واریتIntercommunality - top level domaintop level domaindomaine de premier niveau + top level domainاوپر سطح کی ڈومینtop level domaindomaine de premier niveau + + ہوا کی چکیWindmillہوا کی چکی ایک مشین ہے جو ہوا کی توانائی کو سیل نامی وینز کے ذریعے گردشی توانائی میں تبدیل کرتی ہےA windmill is a machine that converts the energy of wind into rotational energy by means of vanes called sails + + اوپر سطح کی ڈومینtop level domain - maankratercratera lunarlunar craterΣεληνιακός κρατήραςcráitéar gealaícratère lunaireMondkrater + maankraterΣεληνιακός κρατήραςMondkratercráitéar gealaícratera lunarقمری گڑھاcratère lunairelunar crater - motorsport seasonmotorsportseizoenMotorsportsaison + motorsport seasonموٹر کھیل کا موسمmotorsportseizoenMotorsportsaison - 軍人militaremilitairmilitary person군인στρατιωτικόςmilitairemilitärische Person + 군인militairστρατιωτικός軍人militärische Personmilitareفوجی شخصmilitairemilitary person - periodo temporaltidsperiodetijdvaktime periodχρονική περίοδοςtréimhsepériode temporelleZeitraum + periodo temporaltidsperiodetijdvakχρονική περίοδοςZeitraumtréimhseوقت کی مدتpériode temporelletime period - 内燃機関motore d'automobileautomotormotor de automóvelautomobile engine자동차 엔진κινητήρας αυτοκινήτουinneall gluaisteáinmoteur d'automobileFahrzeugmotor + 자동차 엔진automotorκινητήρας αυτοκινήτου内燃機関Fahrzeugmotorinneall gluaisteáinmotore d'automobilemotor de automóvelموٹر گاڑی کا انجنmoteur d'automobileautomobile engine - NebulaТуманность + NebulaNébuleuseТуманностьآنکھ کا جالا - archeolog考古学者ArqueólogoarcheoloogarcheologistΑρχαιολόγοςseandálaíarchéologueArchäologe + ArqueólogoarcheoloogarcheologΑρχαιολόγος考古学者Archäologeseandálaíماہر آثار قدیمہarchéologuearcheologist - 酵素enzimaenzymenzyme효소ένζυμοeinsímenzymeEnzym + 효소enzymένζυμο酵素Enzymeinsímenzimaخامرہenzymeenzyme + + فٹ بال مقابلہfootball matchدو فٹ بال ٹیموں کے درمیان مقابلہa competition between two football teams - sangskriversongwriter (tekstdichter)songwriterauteur-compositeurLiedschreibera person who writes songs.een persoon die de muziek en/of de tekst voor populaire muzieknummers schrijft. + sangskriversongwriter (tekstdichter)Liedschreiberنغمہ نگارauteur-compositeursongwritera person who writes songs.een persoon die de muziek en/of de tekst voor populaire muzieknummers schrijft.ایک شخص جو گانے لکھتا ہے۔ - 正方形pleinsquarecearnógplacePlatz + plein正方形Platzcearnógچوکورplacesquare - uniwersytet大学universidaduniversiteituniversidadeuniversity대학πανεπιστήμιοollscoiluniversitéUniversität + universidad대학universiteituniwersytetπανεπιστήμιο大学Universitätollscoiluniversidadeجامع درس گاہuniversitéuniversity - anatomska struktura解剖構造struttura anatomicaanatomische structuuranatomical structure해부학ανατομική δομήcoirpeogstructure anatomiqueanatomischen Strukturestrutura anatómica + 해부학anatomische structuuranatomska strukturaανατομική δομή解剖構造anatomischen Strukturcoirpeogstruttura anatomicaجسمانی ساختestrutura anatómicastructure anatomiqueanatomical structure - televizijska oddajaテレビ番組serie de televisióntelevisie showمعلومات تلفازtelevision showτηλεοπτική σειράclár teilifíseémission de télévisionFernsehsendung + serie de televisióntelevisie showtelevizijska oddajaمعلومات تلفازτηλεοπτική σειράテレビ番組Fernsehsendungclár teilifíseٹی وی شوémission de télévisiontelevision show + + academic subjectتعلیمی مضمونGenres of art, e.g. Mathematics, History, Philosophy, Medicineآرٹ کی انواع، جیسے ریاضی، تاریخ، فلسفہ، طب + + popeرومن کیتہولک پادری - lanceerbasislaunch padράμπα φορτώσεωςceap lainseálarampe de lancementStartrampe + lanceerbasisράμπα φορτώσεωςStartrampeceap lainseálaمیزائل چلانے کی جگہrampe de lancementlaunch pad - liga de ciclismowielerrondecycling league사이클 리그Ομοσπονδία Ποδηλασίαςligue de cyclismeRad-Ligaa group of sports teams that compete against each other in Cycling + liga de ciclismo사이클 리그wielerrondeΟμοσπονδία ΠοδηλασίαςRad-Ligaسائیکل سوار کی انجمنligue de cyclismecycling leagueکھیلوں کی ٹیموں کا ایک گروپ جو سائیکلنگ میں ایک دوسرے کے خلاف مقابلہ کرتا ہے۔a group of sports teams that compete against each other in Cycling + + country estateملک کی نشستA country seat is a rural patch of land owned by a land owner.یک کنٹری سیٹ زمین کا ایک دیہی پیچ ہے جو زمین کے مالک کی ملکیت ہے + + Nebulaآنکھ کا جالا + + squareچوکور + + ونٹر اسپورٹ پلیئرJoueur de sport d'hiver - 国土territoriumterritoryπεριοχήterritoireTerritoriumA territory may refer to a country subdivision, a non-sovereign geographic region. + territoriumπεριοχή国土Territoriumماتحت علاقہTerritoireterritoryA territory may refer to a country subdivision, a non-sovereign geographic region.Un territoire peut désigner une subdivision de pays, une région géographique non souveraine.ایک ماتحت علاقہ کسی ملک کی ذیلی تقسیم، ایک غیر خودمختار جغرافیائی خطہ کا حوالہ دے سکتا ہے۔ + + fictional characterخیالی کردار - TankТанк + TankحوضТанк - liga de curlingcurling competitiecurling league컬링 리그πρωτάθλημα curlingsraith curlálaligue de curlingCurling-Ligaa group of sports teams that compete against each other in Curling + liga de curling컬링 리그curling competitieπρωτάθλημα curlingCurling-Ligasraith curlálaپتھر کنڈلی کھيل کی انجمنligue de curlingcurling leaguea group of sports teams that compete against each other in Curlingکھیلوں کی ٹیموں کا ایک گروپ جو کرلنگ میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں۔ - Gated communityHofje / gebouw met woongemeenschapbewachte Wohnanlage / Siedlung + Gated communityHofje / gebouw met woongemeenschapbewachte Wohnanlage / Siedlungمسدود برادری - festival de músicamuziekfestivalmusic festival음악제φεστιβάλ μουσικήςfestival de musiqueMusikfestival + festival de música음악제muziekfestivalφεστιβάλ μουσικήςMusikfestivalموسیقی میلہfestival de musiquemusic festival - 租税impuestobelastingtaxφόροςcáintaxeSteuer + impuestobelastingφόρος租税Steuercáinمحصولtaxetax + + شریانartery - 競馬場ippodromorenbaanracecourseιππόδρομοςráschúrsaRennbahnA 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.Ο ιππόδρομος,εναλλακτικός όρος για την πίστα διεξαγωγής αγώνων μεταξύ ίππων,συναντάται σε χώρες όπως η Αγγλία, Αυστραλία, Χονγκ Κονγκ και τα Ηνωμένα Αραβικά Εμιράτα. + renbaanιππόδρομος競馬場RennbahnráschúrsaippodromoracecourseA 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.Ο ιππόδρομος,εναλλακτικός όρος για την πίστα διεξαγωγής αγώνων μεταξύ ίππων,συναντάται σε χώρες όπως η Αγγλία, Αυστραλία, Χονγκ Κονγκ και τα Ηνωμένα Αραβικά Εμιράτα. - tancerzダンサーballerinodanserdancerχορευτήςdamhsóirdanceurTänzer + dansertancerzχορευτήςダンサーTänzerdamhsóirballerinoرقص کرنے والاdanceurdancer + + مندرtemple - ijshockeyspelerice hockey player아이스하키 선수παίκτης χόκεϋjoueur de hockey sur glaceEishockeyspieler + 아이스하키 선수ijshockeyspelerπαίκτης χόκεϋEishockeyspielerبرفانی ہاکی کا کھلاڑیjoueur de hockey sur glaceice hockey player - Sistema de Transporte Públicoopenbaar vervoer systeempublic transit systemμέσα μαζικής μεταφοράςÖffentliches PersonenverkehrssystemA 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. + Sistema de Transporte Públicoopenbaar vervoer systeemμέσα μαζικής μεταφοράςÖffentliches Personenverkehrssystemعوامی راہداری کا نظامSystème de transport publicpublic transit systemΤα μέσα μαζικής μεταφοράς (συντομογραφία ΜΜΜ) είναι τα δημόσια συγκοινωνιακά μέσα, που περιλαμβάνουν τα λεωφορεία, τα τρόλεϊ, τα τραμ, τα τρένα, το μετρό, τα πλοία. Υπάρχουν και τα ταχεία μέσα συγκοινωνίας που περιλαμβάνουν τα αεροπλάνα, υπερταχεία τρένα.Ein System des Öffentlichen Personenverkehrs auf Straße, Schiene oder Wasser.عوامی راہداری کا نظام ایک مشترکہ عوامی نقل و حمل کی سروس ہے جو عام لوگوں کے استعمال کے لیے دستیاب ہے۔عوامی نقل و حمل کے طریقوں میں بسیں ، ٹرالی بسیں ، ٹرام اور ٹرینیں ، 'تیز رفتارراہداری' (میٹرو/زمین دوز برقی ریل/زیر زمین وغیرہ) اور فیری شامل ہیں۔Un système de transport en commun est un service de transport partagé de passagers mis à la disposition du grand public. Les modes de transport public comprennent les bus, les trolleybus, les tramways et les trains, le « transport en commun rapide » (métro, TGV, etc.) et les ferries. Les transports publics interurbains sont dominés par les compagnies aériennes, les autocars et le rail intercité. (http://en.wikipedia.org/wiki/Public_transit).A 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). + + ریکارڈرز_پر_مبنی_ایک_فائلDatabase - blood vesselbloedvatvaisseau sanguin + blood vesselbloedvatvaisseau sanguinخون کی شریان + + ویب صفحات کا مجموعہwebsite + + Stated Resolutionریاستی قراردادA Resolution describes a formal statement adopted by a meeting or convention.ایک قرارداد میٹنگ یا کنونشن کے ذریعہ اختیار کردہ ایک رسمی بیان کی وضاحت کرتی ہے + + COVID-19 pandemicکورونا وائرس2019Ongoing pandemic of coronavirus disease 2019کورونا وائرس کی بیماری 2019 کی جاری وبائی بیماری۔ - mecz piłki nożnejpartido de fútbolvoetbal wedstrijdfootball matchαγώνας ποδοσφαίρουcluiche peileFußballspiela competition between two football teams + partido de fútbolvoetbal wedstrijdmecz piłki nożnejαγώνας ποδοσφαίρουFußballspielcluiche peileفٹ بال مقابلہfootball matcha competition between two football teamsدو فٹ بال ٹیموں کے درمیان مقابلہ + + سنگلsingleموسیقی میں، سنگل یا ریکارڈ سنگل ریلیز کی ایک قسم ہے، عام طور پر ایل پی یا سی ڈی سے کم ٹریک کی ریکارڈنگ + + card gameتاشcome from http://en.wikipedia.org/wiki/Category:Card_gamesسے آئے http://en.wikipedia.org/wiki/زمرہ: کارڈ گیمز + + فلم کا ہدایت کارMovie directorایک شخص جو فلم بنانے کی نگرانی کرتا ہےa person who oversees making of film. + + + + شہرcitya relatively large and permanent settlement, particularly a large urban settlementایک نسبتا بڑی اور مستقل آبادی ، خاص طور پر ایک بڑی شہری بستی - MouseGeneLocationMausgenom Lokationmuisgenoom locatieマウス遺伝子座 + muisgenoom locatieマウス遺伝子座Mausgenom Lokationچوہے کے نَسبہ کا مقامMouseGeneLocation - militær konfliktmilitair conflictmilitary conflict전쟁στρατιωτική σύγκρουσηconflit militairemilitärischer Konflikt + 전쟁militær konfliktmilitair conflictστρατιωτική σύγκρουσηmilitärischer Konfliktفوجی تنازعہconflit militairemilitary conflict + + فگرسکیٹرfigure skater + + نیشنل فٹ بال لیگ تقریب - 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. + Aangenomen BesluitAngenommen Beschlußریاستی قراردادRésolution adoptéeStated ResolutionA Resolution describes a formal statement adopted by a meeting or convention.ایک قرارداد میٹنگ یا کنونشن کے ذریعہ اختیار کردہ ایک رسمی بیان کی وضاحت کرتی ہےUne résolution décrit une déclaration officielle adoptée par une réunion ou une convention.Een Besluit of Verklaring beschrijft een formeel besluit of formele aanbeveling aangenomen door een vergadering. - 路面電車tramstreetcartramwayStraßenbahn + tram路面電車Straßenbahnٹرام گاڑیtramwaystreetcar - festiwal filmowy映画祭filmfestivalfilmfestivalfilm festival영화제φεστιβάλ κινηματογράφουféile scannánfestival du filmFilmfestival + 영화제filmfestivalfilmfestivalfestiwal filmowyφεστιβάλ κινηματογράφου映画祭Filmfestivalféile scannánفلمی میلہfestival du filmfilm festival + + جنگلforestایک قدرتی جگہ جو کم و بیش درختوں کے ساتھ اگتی ہے۔A natural place more or less densely grown with trees - monoklonaler Antikörpermonoclonal antibodymonoclonal anticorpsMedikamente welche monoklonale Antikörper sind + monoklonaler Antikörpermonoclonal antibodyمونوکلونل دافِع جِسمmonoclonal 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. + theaterdirecteurTheaterdirektorتھیٹر ہدایت کارdirecteur de théâtreTheatre directorA director in the theatre field who oversees and orchestrates the mounting of a theatre production.تھیٹر کے میدان میں ایک ڈائریکٹر جو تھیٹر پروڈکشن کے بڑھتے ہوئے کام کی نگرانی اور آرکیسٹریٹ کرتا ہے + + آب و تابBlazon + + continentبراعظمبراعظم زمین کا ایک بڑا علاقہ ہے جو زمین کی پرت سے نکلا ہے ، درحقیقت یہ ان سب سے بڑی تقسیم ہے جس کے ساتھ ابھرتی ہوئی زمینیں تقسیم کی گئی ہیں۔ + + political partyسیاسی جماعت - 飲料bebidadrikbevandadrankbeverage음료αναψυκτικόdeochboissonGetränkA 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.Ένα πόσιμο υγρό ρόφημα, συνήθως με μηδενική ή ελάχιστη περιεκτικότητα αλκοόλης. + bebida음료drikdrankαναψυκτικό飲料GetränkdeochbevandaمشروبboissonbeverageA 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.Ένα πόσιμο υγρό ρόφημα, συνήθως με μηδενική ή ελάχιστη περιεκτικότητα αλκοόλης.یک مشروب مائع ہے جو خاص طور پر انسانی استعمال کے لیے تیار کیا جاتا ہے۔ + + کھلاڑیathlete - ruimteveerspace shuttle우주 왕복선διαστημικό λεωφορείοspástointeáilnavette spatialeRaumfähre + 우주 왕복선ruimteveerδιαστημικό λεωφορείοRaumfährespástointeáilخلائی جہازnavette spatialespace shuttle + + eventتقریب + + جُغرافیائی سیاسیات تنظیمgeopolitical organisation + + مشروبbeverageیک مشروب مائع ہے جو خاص طور پر انسانی استعمال کے لیے تیار کیا جاتا ہے۔A drink, or beverage, is a liquid which is specifically prepared for human consumption. - 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 + werkgeversorganisatieArbeitgeberverbändeملازمین کی تنظیمsyndicat de patronsEmployers' Organisationملازمین کی تنظیم تاجروں کی ایک تنظیم ہے جو مزدور تعلقات کے میدان میں اپنے اعمال کو مربوط کرنے کے لیے مل کر کام کرتی ہے۔An employers' organisation is an organisation of entrepreneurs who work together to coordinate their actions in the field of labour relations - 刑務所prigionegevangenisprisonφυλακήpríosúnprisongefängnis + gevangenisφυλακή刑務所gefängnispríosúnprigioneجیلprisonprison + + light novelجاپانی افسانهA style of Japanese novelجاپانی ناول کا ایک انداز - 古細菌archeiArchaea (oerbacteriën)archaea고세균αρχαίαarchéesArchaeen + 고세균Archaea (oerbacteriën)αρχαία古細菌Archaeenarcheiآثار قدیمہarchéesarchaea - jugador de balonmanohåndboldspillerhandballerhandball playerπαίκτης του handballimreoir liathróid láimhejoueur de handballHandballspieler + jugador de balonmanohåndboldspillerhandballerπαίκτης του handballHandballspielerimreoir liathróid láimheہینڈ بال کا کھلاڑیjoueur de handballhandball playerایک کھیل جِس میں دو یا چار کھِلاڑی بَند احاطے میں ربَڑ کی چھوٹی گیند کو ہاتھوں سے دیوار پَر مارتے ہیں - MężczyznaおとこMandUomoMensman남자мужчинаHommeMann + 남자MandMensмужчинаMężczyznaおとこMannUomoآدمیHommeman + + architectمعمار + + COVID-19 pandemicPandémie COVID-192019冠状病毒病疫情کورونا وائرس2019کورونا وائرس کی بیماری 2019 کی جاری وبائی بیماری۔Ongoing pandemic of coronavirus disease 2019Pandémie actuelle de maladie coronavirus 20192019冠狀病毒病疫情是一次由严重急性呼吸系统综合征冠状病毒导致的2019冠状病毒病所引發的全球大流行疫情 + + فارمولا ون ریسرFormula One racer - kobieta女性kvindedonnavrouwwoman여자женщинаfemmeFrauen + 여자kvindevrouwженщинаkobieta女性Frauendonnaعورتfemmewoman - religieusreligiousθρησκευτικόςreligieuxreligiös + religieusθρησκευτικόςreligiösمذہبیreligieuxreligious + + classical music artistاعلی درجےکاموسیقی فنکارلڈوگ وان بیتھوون ، جرمن موسیقار اور پیانو بجانے والے ، اعلی درجے موسیقی کے ایک عظیم فنکار تھے۔ + + chefباورچیa person who cooks professionally for other peopleوہ شخص جو پیشہ ورانہ طور پر دوسرے لوگوں کے لیے کھانا پکاتا ہے۔ + + clerical orderعلما کا حکمخانقاہی حکم مذہبی، مردوں یا عورتوں کا ایک حکم ہے، جو ایک مشترکہ عقیدہ اور خانقاہی اصول کے بارے میں متحد ہو گئے ہیں جس کے وہ پابند ہیں، اور ایک ہی مقامی کمیونٹی، ایک خانقاہ یا مندر کے اندر مستقل طور پر ایک ساتھ رہتے ہیں۔ ہم خیال مذہبیوں کی کئی خانقاہیں مل کر ایک خانقاہی ترتیب بناتی ہیں۔ - クモ綱arácnidoaracnidespinachtigenaracnídeosarachnid거미강αραχνοειδέςaraicnidarachnidesSpinnentier + arácnido거미강spinachtigenαραχνοειδέςクモ綱Spinnentieraraicnidaracnidearacnídeosعنکباتarachnidesarachnidحیوانیات میں اِس خاندان کا نام جِس میں مکڑی اور بچھو وغیرہ شامِل ہیں + + conveyor systemنقل و حمل کے نظام + + موسیقی چارٹس میں جگہ + + Theological conceptمذہبی تصورTheological concepts, e.g. The apocalypse, Trinty, Stoicismمذہبی تصورات، جیسے آسمانی کِتاب تثلیث رواقیت - Distritodepartementdepartment부서τμήμαroinndépartementDistrikt + Distrito부서departementτμήμαDistriktroinnشعبہdépartementdepartment + + بیماری + + سرنگtunnelایک سرنگ پیدل یا گاڑیوں کی سڑک کے لیے، ریل ٹریفک کے لیے، یا نہر کے لیے ہو سکتی ہے۔ کچھ سرنگیں پانی کی کھپت یا ہائیڈرو الیکٹرک اسٹیشنوں کے لیے پانی کی فراہمی کے لیے آبی راستے ہیں یا گٹر ہیںA 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). - 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 + windrichtingWindrichtungہوا کی سمتdirection cardinaleCardinal directionOne 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جغرافیائی پوزیشن کا تعین کرنے کے لیے کمپاس یا کسی دوسرے نظام پر چار اہم سمتوں میں سے ایک + + Cipherخفیہ پیغام + + ChiefChef + + television showٹی وی شو + + publisherناشرPublishing companyشائع کرنے والے اشاعتی ادارہ - 画家malerschilderpainterζωγράφοςpeintreMaler + malerschilderζωγράφος画家Malerرنگ سازpeintrepainter + + کیمیائی مادہ - 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. + modelijnModelinieقطار رائجtype de coutureline of fashionA coherent type of clothing or dressing following a particular fashionایک مربوط قسم کا لباس یا لباس کسی خاص فیشن کے بعدEen samenhangend geheel van kleding in een bepaalde stijl volgens een bepaalde mode. + + مجسمہSculptureمجسمہ تین جہتی فَن کا کام ہے جو سخت مواد کی تشکیل یا امتزاج سے بنایا گیا ہے، عام طور پر پتھر جیسے سنگ مرمر، دھات، شیشہ، یا لکڑی، یا پلاسٹک کے مواد جیسے مٹی، ٹیکسٹائل، پولیمر اور نرم دھات۔ + + مارشل کے فنکارmartial artist + + سرمائی کھیل کھیلنے والاwinter sport Player + + SømandبحارनाविकملاحMarinelaNavigatriceSailor + + solar eclipseسورج گرہنسورج گرہن ایک ایسا واقعہ ہے جس میں چاند سورج اور زمین کے درمیان مداخلت کرتا ہے، جس کی وجہ سے زمین کے کچھ علاقوں کو معمول سے کم روشنی ملتی ہے - 公園parkparquepark공원πάρκοpáircparcParkA park is an area of open space provided for recreational use. http://en.wikipedia.org/wiki/Park + 공원parkπάρκο公園Parkpáircparqueتفریح گاہparcparkA park is an area of open space provided for recreational use. http://en.wikipedia.org/wiki/Parkپارک کھلی جگہ کا ایک علاقہ ہے جو تفریحی استعمال کے لیے فراہم کی جاتی ہے۔ + + sumo wrestlerسومو پہلوان - cykelholdsquadra di ciclismowielerploegcycling team사이클 팀ομάδα ποδηλασίαςfoireann rothaíochtaRadsportteam + 사이클 팀cykelholdwielerploegομάδα ποδηλασίαςRadsportteamfoireann rothaíochtasquadra di ciclismoسائیکلنگ جماعتéquipe cyclistecycling team + + باسکٹ بال کھلاڑیbasketball playerباسکٹ بال کے کھیل میں شامل ایک کھلاڑی + + نائب صدرvice president + + بیچ والی بال پلیئر - bruto nationaal productgross domestic productακαθάριστο εγχώριο προϊόνolltáirgeacht intíreBruttoinlandsprodukt + bruto nationaal productακαθάριστο εγχώριο προϊόνBruttoinlandsproduktolltáirgeacht intíreمجموعی ملکی پیداوارgross domestic product + + radio stationریڈیو سٹیشن - water ridemarcaíocht uisceWasserbahnwaterbaan + waterbaanWasserbahnmarcaíocht uisceپانی کی سواریwater ride - military vehicleMilitärfahrzeuglegervoertuig + legervoertuigMilitärfahrzeugفوجی گاڑیvéhicule militairemilitary vehicle + + ڈھینکلیTreadmillگھوڑوں، گدھوں یا یہاں تک کہ لوگوں کی کشش طاقت سے چلنے والی چکیA mill driven by the tractive power of horses, donkeys or even people - 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 + kunstsoortKunstgattungفنکارانہ صنفgenre artistiqueartistic genreGenres 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 + sportseizoenπερίοδος αθλημάτωνSportsaisonکھیلوں کا موسمsports season - クリケット選手cricketspelercricketer크리켓 선수παίκτης του κρίκετimreoir cruicéidjoueur de cricketCricketspieler + 크리켓 선수cricketspelerπαίκτης του κρίκετクリケット選手Cricketspielerimreoir cruicéidکرکٹ کا کھلاڑیjoueur de cricketcricketer + + پانی کا ضلعی اقتدارتحفظ،سطحی پانی کے انتظام کے لیے وقف سرکاری ایجنسی - 被子植物angiospermamagnoliofitabedektzadigenflowering plantανθοφόρο φυτόangiospermesbedecktsamige Pflanze + angiospermabedektzadigenανθοφόρο φυτό被子植物bedecktsamige Pflanzemagnoliofitaپھولوں کا پوداangiospermesflowering plant + + prisonجیل + + wineشراب - SpreadsheetЭлектронная таблица + SpreadsheetЭлектронная таблицаسپریڈ شیٹtableurمرتب و شمار یا معلومات کو کام میں لانےوالاایک کمپیوٹر پروگرامProgramme informatique qui utilise des statistiques ou des informations + + تماشا گاہtheatreایک تھیٹر یا تھیٹر (ایک پلے ہاؤس بھی) ایک ڈھانچہ ہے جہاں تھیٹر کے کام یا ڈرامے پیش کیے جاتے ہیں یا دیگر پرفارمنس جیسے میوزیکل کنسرٹ تیار کیے جا سکتے ہیںA 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. - テレビ放送回capítulo de serie de televisióntelevisie seizoentelevision episode텔레비전 에피소드επεισόδιο τηλεόρασηςeagrán de chlár teilifíseépisode téléviséFernsehfolgeA television episode is a part of serial television program. + capítulo de serie de televisión텔레비전 에피소드televisie seizoenεπεισόδιο τηλεόρασηςテレビ放送回Fernsehfolgeeagrán de chlár teilifíseٹی وی کی قسطépisode télévisételevision episodeA television episode is a part of serial television program.ٹیلی ویژن ایپی سوڈ سیریل ٹیلی ویژن پروگرام کا ایک حصہ ہے + + academic conferenceتعلیمی کانفرنس + + سافٹ بال کی انجمنکھیلوں کی ٹیموں کا ایک گروپ جو سافٹ بال میں ایک دوسرے سے مقابلہ کرتا ہے - 準男爵baronettobaronetbaronetBaronet + baronet準男爵Baronetbaronettoچھوٹا نوابbaronet + + legislatureمقننہ + + ویکسینیشن کے اعدادوشمارVaccination StatisticsCOVID-19 ویکسینیشن کی عالمی پیشرفت سے متعلق اعدادوشمار‎Statistics related to the COVID-19 vaccination world progress‎ - スイス連邦の州またはフランスの群kantoncantoncantonKantonAn 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 + kantonスイス連邦の州またはフランスの群KantonضِلَعcantoncantonAn 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ایک انتظامی (فرانس) یا قانون کی عدالت (نیدرلینڈز) کا ادارہ جو علاقائی وحدت کا انتظام کرتا ہے بلدیاتی سطح پر یا اس سے کچھ اوپر + + ویکسینvaccineوہ دوائیں جو ایک ویکسین ہیں‎Drugs that are a vaccine‎ + + person functionشخص کی تقریب - bioscoopcinema (movie theater)κινηματογράφοςcinémaTheaterA building for viewing films. + bioscoopκινηματογράφοςTheaterسنیماcinémacinema (movie theater)A building for viewing films.فلم دیکھنے کے لیے ایک عمارت۔ + + کیمیائی مادہchemical substance + + Historical settlementتاریخی آبادکاریA place which used to be a city or town or village.وہ جگہ جو پہلے شہر یا قصبہ یا گاؤں ہوا کرتی تھی - グネツム綱GnetalesGnetophytesGnetophytesgnétophytesGnetophyta + GnetalesGnetophytesグネツム綱Gnetophytaگمٹیلا پوداgnétophytesGnetophytes - 騎手jockeyjockey (horse racer)αναβάτης αλόγου αγώνωνmarcachJockey (Pferderennprofi) + jockeyαναβάτης αλόγου αγώνων騎手Jockey (Pferderennprofi)marcachپیشہ ور گھڑ سوارjockey (coureur à cheval)jockey (horse racer) - Scientific conceptwissenschaftliche Theoriewetenschappelijke theorieScientific concepts, e.g. Theory of relativity, Quantum gravity + wetenschappelijke theoriewissenschaftliche Theorieسائنسی تصورconcept scientifiqueScientific conceptScientific concepts, e.g. Theory of relativity, Quantum gravityConcepts scientifiques tels que la théorie de la relativité, la gravité quantiqueسائنسی تصورات، جیسے نظریہ اضافیت، کوانٹم کشش ثقل + + storm surgeطوفانی لہر64-72 ناٹس (بیفورٹ اسکیل پر 11) اور بارش اور گرج چمک کے ساتھ ایک پرتشدد موسمی صورتحال + + ٹینس کا باہمی مقابلہtennis tournament + + professionپیشہ + + قصبہtownچند سو سے لے کر کئی ہزار (کبھی کبھار سیکڑوں ہزاروں) تک کی تصفیہ۔ درست معنی ممالک کے درمیان مختلف ہوتے ہیں اور یہ ہمیشہ قانونی تعریف کا معاملہ نہیں ہوتا ہے۔ عام طور پر، ایک قصبہ کو گاؤں سے بڑا لیکن شہر سے چھوٹا سمجھا جاتا ہے، حالانکہ اس اصول میں مستثنیات ہیں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. - resultados de una competición deportivauitslag van een sport competitieresults of a sport competitionαποτελέσματα αθλητικού διαγωνισμούrésultats d'une compétition sportiveErgebnisse eines Sportwettbewerbs + resultados de una competición deportivauitslag van een sport competitieαποτελέσματα αθλητικού διαγωνισμούErgebnisse eines Sportwettbewerbsکھیلوں کے مقابلے کا نتیجہrésultats d'une compétition sportiveresults of a sport competition - torentowerπύργοςtúrtourTurmA Tower is a kind of structure (not necessarily a building) that is higher than the rest + torenπύργοςTurmtúrمینارtourtowerA Tower is a kind of structure (not necessarily a building) that is higher than the restمینار ایک قسم کا ڈھانچہ ہے (ضروری نہیں کہ کوئی عمارت) جو باقی سے اونچی ہو + + Algorithmحساب و شمارایک عین قاعدہ (یا قواعد کا مجموعہ) جس میں وضاحت کی جاتی ہے کہ کسی مسئلے کو کیسے حل کیا جائے - タンパク質proteinaproteïneproteínaprotein단백질πρωτεΐνηpróitéinprotéineProtein + 단백질proteïneπρωτεΐνηタンパク質Proteinpróitéinproteinaproteínaلحمیاتprotéineprotein - ヒト遺伝子座menselijk genoom locatieHumanGeneLocationτοποθεσία του ανθρώπινου γονιδίουHumangen Lokation + menselijk genoom locatieτοποθεσία του ανθρώπινου γονιδίουヒト遺伝子座Humangen Lokationانسانی نَسبہ کا مقامPosition de gène chez l'hommeHumanGeneLocation - klub żużlowyspeedwayteamspeedway teamfoireann luasbhealaighSpeedwayteam + speedwayteamklub żużlowySpeedwayteamfoireann luasbhealaighسپیڈ وے ٹیمspeedway team + + organisationتنظیم - patriarcha chrześcijańskipatriarca cristianochristelijk patriarchChristian Patriarch기독교 총대주교χριστιανός πατριάρχηςpatriarche chrétienchristlicher Patriarch + 기독교 총대주교christelijk patriarchpatriarcha chrześcijańskiχριστιανός πατριάρχηςchristlicher Patriarchpatriarca cristianoعیسائی پادریpatriarche chrétienChristian Patriarch - regeringsvormGovernment TypeΕίδη Διακυβέρνησηςrégime politiqueRegierungsforma form of government + regeringsvormΕίδη ΔιακυβέρνησηςRegierungsformحکومت کی قسمrégime politiqueGovernment Typea form of governmentحکومت کی ایک شکل - miasteczkostadनगरtownπόληbailevilleStadta 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. + stadmiasteczkoπόληStadtनगरbaileقصبہvilletowna 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.چند سو سے لے کر کئی ہزار (کبھی کبھار سیکڑوں ہزاروں) تک کی تصفیہ۔ درست معنی ممالک کے درمیان مختلف ہوتے ہیں اور یہ ہمیشہ قانونی تعریف کا معاملہ نہیں ہوتا ہے۔ عام طور پر، ایک قصبہ کو گاؤں سے بڑا لیکن شہر سے چھوٹا سمجھا جاتا ہے، حالانکہ اس اصول میں مستثنیات ہیں - Romeinse keizerroman emperorρωμαίος αυτοκράτοραςempereur romainrömischer Kaiser + Romeinse keizerρωμαίος αυτοκράτοραςrömischer Kaiserempereur romainroman emperor - 宗教建築edificio religiosoreligiøs bygningedificio religiosocultusgebouwreligious building종교 건물θρησκευτικό κτίριοédifice religieuxreligiöses Gebäude + edificio religioso종교 건물religiøs bygningcultusgebouwθρησκευτικό κτίριο宗教建築religiöses Gebäudeedificio religiosoمذہبی عمارتédifice religieuxreligious building + + فٹ بال کی انجمنکھیلوں کی ٹیموں کا ایک گروپ جو فٹ بال میں ایک دوسرے کے خلاف مقابلہ کرتا ہے۔ - ministerMinisterministreminister + ministerMinisterوزیرministreminister + + samba schoolبرازیلی رقص سکول + + mixed martial arts eventمخلوط جنگ جو آرٹس تقریب - motorcycle riderMotorradfahrerμοτοσυκλετιστήςmotorrijder + motorrijderμοτοσυκλετιστήςMotorradfahrerموٹر سائیکل سوارmotorcycle rider - kerkelijk bestuurlijk gebiedclerical administrative region사무 관리 지역région administrative dans une égliseklerikale VerwaltungsregionAn administrative body governing some territorial unity, in this case a clerical administrative body + 사무 관리 지역kerkelijk bestuurlijk gebiedklerikale Verwaltungsregionعلمی انتظامی علاقہrégion administrative dans une égliseclerical administrative regionAn administrative body governing some territorial unity, in this case a clerical administrative bodyایک علمی انتظامی معاملات میں ایک انتظامی ادارہ جو کچھ علاقائی وحدت کو کنٹرول کرتا ہے - compañía de autobusesbusmaatschappijbus companyεταιρία λεωφορείωνcomhlacht buscompagnie d'autobusBusunternehmen + compañía de autobusesbusmaatschappijεταιρία λεωφορείωνBusunternehmencomhlacht busبس كا تِجارتی اِدارہcompagnie d'autobusbus company + + دستاویز کی قسمدستاویز کی قسم (سرکاری، غیر رسمی وغیرہ - 発電所central eléctricaElektriciteitscentralepower stationσταθμός παραγωγής ενέργειαςstáisiún cumhachtacentrale électriqueKraftwerk + central eléctricaElektriciteitscentraleσταθμός παραγωγής ενέργειας発電所Kraftwerkstáisiún cumhachtaبجلی گھرcentrale électriquepower station + + تحریری کامwritten workتحریری کام کسی بھی متن کو پڑھنے کے لیے لکھا جاتا ہے (مثال کے طور پر: کتابیں ، اخبار ، مضامین)Written work is any text written to read it (e.g.: books, newspaper, articles) + + lipidچربیچربی اور چکنائی والے مادے ہیں جو بائیو کیمسٹری میں اہم کردار ادا کرتے ہیں - 技術者ingenieroingeniereingenieurengineer공학자μηχανικόςinnealtóiringénieurIngenieur + ingeniero공학자ingenieurμηχανικός技術者Ingenieurinnealtóiringeniereماہر فنیاتingénieurengineer + + caseمعاملہA 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.ایک کیس انتظامی یا کاروباری فیصلے کی تیاری کے لیے کیے گئے کام کی کل ہے۔ ایک اصول کے طور پر ، ایک کیس دستاویزات کے ایک سیٹ میں ظاہر ہوتا ہے۔ + + مقابلہ میں کاریں چلانے والےracing driver + + airportہوائی اڈہ + + سیاستدانpolitician + + کار ہنرartworkفن کا کام، فَنی پیس، یا فَنی آبجیکٹ ایک جمالیاتی شے یا فنکارانہ تخلیق ہے۔A work of art, artwork, art piece, or art object is an aesthetic item or artistic creation. + + body of waterاجسامِ آب + + olympic resultاولمپک کا نتیجہ - nazwa名前naamnomenameόνομαainmnomName + naamnazwaόνομα名前Nameainmnomeنامnomname - sumo wrestlerSumo-Ringersumoworstelaar + sumoworstelaarSumo-Ringerسومو پہلوانlutteur de sumosumo wrestler - international organisationorganisation internationaleinternationale organisatieAn international organisation is either a private or a public organisation seeking to accomplish goals across country borders + international organisationorganisation internationaleinternationale organisatieبین الاقوامی تنظیمAn international organisation is either a private or a public organisation seeking to accomplish goals across country bordersایک بین الاقوامی تنظیم یا تو ایک نجی یا عوامی تنظیم ہے جو ملک کی سرحدوں سے اہداف حاصل کرنے کی کوشش کرتی ہے۔ - Turmspringerschoonspringerhigh diver + Turmspringerschoonspringerhigh diverاونچائی سے پانی میں ڈبکی لگانے والا - formule 1-coureurFormula One racerπιλότος της φόρμουλας έναpilote de formule 1Formel-1 Rennfahrer + formule 1-coureurπιλότος της φόρμουλας έναFormel-1 Rennfahrerفارمولا ون ریسرpilote de formule 1Formula One racer - 球果植物門coníferaconifeerconifer침엽수κωνοφόροcónaiféarconifereKonifereLe 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. + conífera침엽수conifeerκωνοφόρο球果植物門Koniferecónaiféarصنوبر کی قِسم کا پوداconifereconiferعروقی (نالی دار)پودے ہیں ، بیج ایک شنک میں موجود ہوتے ہیں۔ وہ لکڑی کے پودے ہیں۔Le 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. + + administrative regionانتظامی علاقہ(نتظامی علاقہ)انتظامی ادارے کے دائرہ اختیار میں ایک آبادی والی جگہ۔ یہ ادارہ یا تو ایک پورے علاقے یا ایک یا اس سے ملحقہ بستیوں کا انتظام کر سکتا ہےA PopulatedPlace under the jurisdiction of an administrative body. This body may administer either a whole region or one or more adjacent Settlements (town administration) - speedway competitiespeedway leagueπρωτάθλημα αυτοκινητοδρόμουligue de speedwaySpeedway LigaA group of sports teams that compete against each other in motorcycle speedway racing. + speedway competitieπρωτάθλημα αυτοκινητοδρόμουSpeedway Ligaتیز راہ کی انجمنligue de speedwayspeedway leagueA group of sports teams that compete against each other in motorcycle speedway racing.کھیلوں کی ٹیموں کا ایک گروپ جو موٹرسائیکل سپیڈ وے ریسنگ میں ایک دوسرے سے مقابلہ کرتا ہے - 音楽家instrumentalistinstrumentalistμουσικόςionstraimíinstrumentalisteMusikerΟ μουσικός είναι ένα άτομο το οποίο γράφει, ερμηνεύει, ή κάνει μουσική.Een instrumentalist is een musicus die een muziekinstrument bespeelt. (https://nl.wikipedia.org/wiki/Instrumentalist) + instrumentalistμουσικός音楽家MusikerionstraimíسازندہinstrumentisteinstrumentalistΟ μουσικός είναι ένα άτομο το οποίο γράφει, ερμηνεύει, ή κάνει μουσική.Un instrumentiste est quelqu'un qui joue d'un instrument. Tout instrumentiste non-vocal (incluant guitariste, pianiste, saxophoniste, DJ, musicien divers...). Tout artiste solo qui compose et/ou fait partie d'un groupe.Een instrumentalist is een musicus die een muziekinstrument bespeelt. (https://nl.wikipedia.org/wiki/Instrumentalist) + + national collegiate athletic association team seasonقومی کالج ورزش انجمن کاموسم - 農家boerfarmerαγρότηςfeirmeoirfermierBauer + boerαγρότης農家Bauerfeirmeoirکسانfermierfarmer + + literary genreادبی صنفGenres of literature, e.g. Satire, Gothicادب کی انواع، جیسے طنزیہ، غیر مہذب + + songگانا + + netball playerنیٹ بال کھلاڑی - voormalige stad of dorpHistorical settlementáit lonnaithe stairiúilancien ville ou villagehistorischer SiedlungA place which used to be a city or town or village. + voormalige stad of dorphistorischer Siedlungáit lonnaithe stairiúilتاریخی آبادکاریancien ville ou villageHistorical settlementA place which used to be a city or town or village.وہ جگہ جو پہلے شہر یا قصبہ یا گاؤں ہوا کرتی تھی + + hot springگرم پانی کا قدرتی چشمہ - videogames leagueπρωτάθλημα βιντεοπαιχνιδιώνsraith físchluichíligue de jeux vidéoVideospiele-LigaA group of sports teams or person that compete against each other in videogames.Ένα σύνολο ομάδων ή ατόμων που ανταγωνίζονται σε ηλεκτρονικά παιχνίδια. + πρωτάθλημα βιντεοπαιχνιδιώνVideospiele-Ligasraith físchluichíبصری کھیلوں کی انجمنligue de jeux vidéovideogames leagueA group of sports teams or person that compete against each other in videogames.کھیلوں کی ٹیموں کا ایک گروپ یا شخص جو بصری کھیلوں میں ایک دوسرے سے مقابلہ کرتا ہےΈνα σύνολο ομάδων ή ατόμων που ανταγωνίζονται σε ηλεκτρονικά παιχνίδια. - cricket groundCricketfeldcricketveldcampo da cricket + cricketveldCricketfeldcampo da cricketکرکٹ کا میدانcricket ground - DTM racerDTM-coureurDTM Rennfahrer + DTM racerDTM-coureurDTM Rennfahrerجرمن ٹورنگ کار ماسٹرزریسر - voormalig kwartier of districtHistorical districtceantar stairiúilancien départementhistorischer Kreis / Bezirka place which used to be a district. + voormalig kwartier of districthistorischer Kreis / Bezirkceantar stairiúilتاریخی ضلعancien départementHistorical districta place which used to be a district.یک ایسی جگہ جو پہلے ضلع ہوتی تھی۔ - 会社empresafirmabedrijfempresacompany회사εταιρίαcomhlachtentrepriseUnternehmen + empresa회사firmabedrijfεταιρία会社Unternehmencomhlachtempresaتِجارتی اِدارہentreprisecompany + + casinoرقص گاہIn modern English, a casino is a facility which houses and accommodates certain types of gambling activities.جدید انگریزی میں ، جوئے بازی کی اڈہ ایک ایسی سہولت ہے جس میں جوئے کی سرگرمیوں کی مخصوص اقسام ہوتی ہیں۔ +. - 機関車locomotieflocomotiveκινητήριοςtraenlocomotiveLokomotive + locomotiefκινητήριος機関車Lokomotivetraenریل گاڑی کا انجنlocomotivelocomotive - motocycle racerοδηγός αγώνων μοτοσυκλέταςMotorrad-Rennfahrermotorcoureur + motorcoureurοδηγός αγώνων μοτοσυκλέταςMotorrad-Rennfahrerموٹر سائیکل دوڑانے والاmotocycle racer - レスラーworstelaarwrestlerπαλαιστήςcoraílutteurRinger + worstelaarπαλαιστήςレスラーRingercoraíپہلوانlutteurwrestler + + آتش فشاںvolcanoآتش فشاں فی الحال قدرتی جگہ کا ذیلی طبقہ ہے، لیکن اسے پہاڑ بھی سمجھا جا سکتا ہےA volcano is currently subclass of naturalplace, but it might also be considered a mountain. - torneo di golfgolf toernooigolf tournamentcomórtas gailfGolfturnier + golf toernooiGolfturniercomórtas gailftorneo di golfگولف کا باہمی مقابلہtournoi de golfgolf tournament - 条約verdragtreatytraitéVertrag + verdrag条約Vertragمعاہدہtraitétreaty - motorcycle racing leagueMotorradrennen Ligaligue de courses motocyclistemotorrace competitiea group of sports teams or bikerider that compete against each other in Motorcycle Racing + موٹر سائیکل ریسنگ لیگmotorcycle racing leagueکھیلوں کی ٹیموں یا بائیک سواروں کا ایک گروپ جو موٹر سائیکل ریسنگ میں ایک دوسرے سے مقابلہ کرتے ہیںa group of sports teams or bikerider that compete against each other in Motorcycle Racing + + انتخابات - 販売verkoopsalesεκπτώσειςdíolacháinventeVertrieb + verkoopεκπτώσεις販売Vertriebdíolacháinفروختventesales - aktor pornograficznyポルノ女優actor pornoattore pornopornografisch acteur色情演員ator adultoadult (pornographic) actor성인 배우ενήλικας (πορνογραφικός) ηθοποιόςaisteoir pornagrafaíochtaacteur porno/acteur adultepornographischer Schauspieleractor pornoA 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; + actor porno성인 배우pornografisch acteuraktor pornograficznyενήλικας (πορνογραφικός) ηθοποιόςポルノ女優pornographischer Schauspieleraisteoir pornagrafaíochtaattore pornoator adulto色情演員بالغ اداکارactor pornoacteur porno/acteur adulteadult (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! + Wikimedia templateویکی میڈیا کا سانچہWikimedia-Vorlagemodèle de WikimediaDO NOT USE THIS CLASS! This is for internal use only!!اس کلاس کو استعمال نہ کریں! یہ صرف اندرونی استعمال کے لیے ہےNE PAS UTILISER CETTE CLASSE! Usage interne réservé uniquement! + + زمین دوز برقی ریل کا اڈہmetrostation + + Annotationتشریح - gridiron football playerGridiron voetballerGridiron Footballspielerjoueur de football américain gridiron + Gridiron voetballerGridiron Footballspielerگرڈیرون فٹ بال کھلاڑیjoueur de football américain gridirongridiron football playerGradiron football, also called North American football, is a family of soccer team games played primarily in the United States and Canada.گریڈیرون فٹ بال ، جسے شمالی امریکی فٹ بال بھی کہا جاتا ہے ، فٹ بال ٹیم کھیلوں کا ایک خاندان ہے جو بنیادی طور پر ریاستہائے متحدہ اور کینیڈا میں کھیلا جاتا ہے - engineMotormotor機関 (機械) + motor機関 (機械)Motorانجنmoteurengine - dottrina cristianaChristelijke leerChristian Doctrine기독교 교리Χριστιανικό Δόγμαdoctrine chrétienneChristliche LehreTenets of the Christian faith, e.g. Trinity, Nicene Creed + 기독교 교리Christelijke leerΧριστιανικό ΔόγμαChristliche Lehredottrina cristianaعیسائی نظریہdoctrine chrétienneChristian DoctrineTenets of the Christian faith, e.g. Trinity, Nicene Creedعیسائی عقیدے کے اصول، جیسے تثلیث، نیکین عقیدہ + + باسکٹ بال کی جماعتbasketball team + + hollywood cartoonہالی ووڈ کارٹون - 面積gebiedareaεμβαδόνceantaraireBereichArea 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.Εμβαδόν ή έκταση είναι το μέγεθος μέτρησης των επιφανειών. + gebiedεμβαδόν面積BereichceantarرقبہaireareaArea 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.Εμβαδόν ή έκταση είναι το μέγεθος μέτρησης των επιφανειών. - volksliedNational anthemamhrán náisiúntaHymne nationalNationalhymnePatriotic musical composition which is the offcial national song. + volksliedNationalhymneamhrán náisiúntaقومی ترانہHymne nationalNational anthemPatriotic musical composition which is the offcial national song.محب وطن موسیقی کی ساخت جو سرکاری قومی گانا ہے۔ - サッカーリーグvoetbal competitiesoccer leagueΟμοσπονδία Ποδοσφαίρουsraith sacairligue de footballFußball LigaA group of sports teams that compete against each other in soccer. + voetbal competitieΟμοσπονδία ΠοδοσφαίρουサッカーリーグFußball Ligasraith sacairفٹ بال کی انجمنligue de footballsoccer leagueA group of sports teams that compete against each other in soccer.کھیلوں کی ٹیموں کا ایک گروپ جو فٹ بال میں ایک دوسرے کے خلاف مقابلہ کرتا ہے۔ - bateríabatteriabatterijbateriabatterypileBatterieThe battery (type) used as energy source in vehicles. + bateríabatterijBatteriebatteriabateriaبرقی طاقت پیدا کرنے کا آلہpilebatteryبیٹری (قسم) گاڑیوں میں توانائی کے منبع کے طور پر استعمال ہوتی ہے۔. - konferencja naukowa学術会議congresso scientificowetenschappelijke conferentieнавуковая канферэнцыяacademic conferenceнаучная конференцияconférence scientifiquewissenschaftliche Konferenz + wetenschappelijke conferentieнаучная конференцияkonferencja naukowa学術会議wissenschaftliche Konferenzcongresso scientificoнавуковая канферэнцыяتعلیمی_کانفرنسconférence scientifiqueacademic conference + + historical eventتاریخی واقعہan event that is clearly different from strictly personal events and had historical impactایک ایسا واقعہ جو ذاتی واقعات سے واضح طورپرمختلف ہوجونمایاں، تاریخ بدلنےوالااثررکھتا ہے - バイアスロン選手BiatleetBiathleteBiathlèteBiathlete + Biatleetバイアスロン選手Biathleteبرف پر پھسلنے میں جِسمانی ورزِشوں کا مُقابلہ کا کھلاڑیBiathlèteBiathlete - 反乱opstandrebellionrévolteAufstand + opstand反乱Aufstandrévolterebellion - チームメンバーteamlidTeam memberΜέλος ομάδαςcoéquipierTeammitgliedA member of an athletic team.Ένα μέλος μιας αθλητικής ομάδας. + teamlidΜέλος ομάδαςチームメンバーTeammitgliedٹیم کے رکنcoéquipierTeam memberA member of an athletic team.ایتھلیٹک ٹیم کا رکنΈνα μέλος μιας αθλητικής ομάδας. - 遺伝子座locusGeneLocationθέση γονιδίωνGen Lokation + locusθέση γονιδίων遺伝子座Gen Lokationنَسبہ کا مقامposition du gèneGeneLocation + + کام کی ترتیبsequence of worksپچھلے/اگلے کاموں کی ترتیبsequence of works previous/next - 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). + wegkruisingStraßenkreuzungacomhal bóithrecarrefourroad junctionA 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).Un carrefour est un endroit où le trafic automobile allant dans différentes directions, peut se réaliser d'une manière contrôlée conçue pour minimiser les accidents. Dans certains cas, les véhicules peuvent changer de route ou la direction de leur parcours (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). - トレッドミルRosmolenTreadmillΜύλοςTretmühleA mill driven by the tractive power of horses, donkeys or even people + RosmolenΜύλοςトレッドミルTretmühleڈھینکلیTreadmillA mill driven by the tractive power of horses, donkeys or even peopleگھوڑوں، گدھوں یا یہاں تک کہ لوگوں کی کشش طاقت سے چلنے والی چکی + + موسیقی میلہmusic festival + + پانی کی سواریwater ride - cerebrohjernecervellohersenenbrainεγκέφαλοςinchinncerveauGehirnΤο βασικό όργανο του νευρικού συστήματος των ζώων, το οποίο καθορίζει ασυνείδητες και συνειδητές λειτουργίες. Ο όρος χρησιμοποιείται πλέον και για τον χαρακτηρισμό των καθοριστικότερων στοιχείων μίας μηχανής ή ενός συνόλου πραγμάτων. + cerebrohjernehersenenεγκέφαλοςGehirninchinncervelloدماغcerveaubrainΤο βασικό όργανο του νευρικού συστήματος των ζώων, το οποίο καθορίζει ασυνείδητες και συνειδητές λειτουργίες. Ο όρος χρησιμοποιείται πλέον και για τον χαρακτηρισμό των καθοριστικότερων στοιχείων μίας μηχανής ή ενός συνόλου πραγμάτων. + + handball playerہینڈ بال کا کھلاڑیایک کھیل جِس میں دو یا چار کھِلاڑی بَند احاطے میں ربَڑ کی چھوٹی گیند کو ہاتھوں سے دیوار پَر مارتے ہیں + + مانہواmanhuaکامکس اصل میں چین میں تیار کیے گئے تھےComics originally produced in China - protohistorical periodproto-historisch Zeitalterperiode in de protohistorie + protohistorical periodproto-historisch Zeitalterperiode in de protohistorieقدیم تاریخی زمانہانسانوں کےمطالعہ تحریر کی ایجاد سے پہلےکی مدت - Torneo di Women's Tennis AssociationWTA-toernooiWomen's Tennis Association tournamentTournoi de la Women's Tennis AssociationWTA Turnier + WTA-toernooiWTA TurnierTorneo di Women's Tennis Associationخواتین کی انجمن کا باہمی مقابلہTournoi de la Women's Tennis AssociationWomen's Tennis Association tournament + + standardمعیاریa common specificationایک عام تفصیل + + prime ministerوزیراعظم - imprenditoreondernemerbusinesspersonεπιχειρηματίαςduine den lucht gnóUnternehmerΜε τον όρο επιχειρηματίας νοείται κυρίως κάποιος που κατέχει μία ανώτερη θέση, όπως ένα στέλεχος. + ondernemerεπιχειρηματίαςUnternehmerduine den lucht gnóimprenditoreکاروباری شخصhomme d'affairesbusinesspersonThe term entrepreneur mainly means someone who holds a senior position, such as an executive.Με τον όρο επιχειρηματίας νοείται κυρίως κάποιος που κατέχει μία ανώτερη θέση, όπως ένα στέλεχος.Le terme entrepreneur désigne principalement une personne qui occupe un poste supérieur, tel qu'un cadre.اصطلاح کاروباری کا بنیادی طور پر مطلب وہ شخص ہے جو اعلی عہدے پر فائز ہو ، جیسے ایگزیکٹو۔ + + historic buildingتاریخی عمارت - 脂質lipidelipidlipidelipidZijn vetten en vetachtige stoffen die in de biochemie een belangrijke rol spelen + lipide脂質lipidچربیlipidelipidZijn vetten en vetachtige stoffen die in de biochemie een belangrijke rol spelenچربی اور چکنائی والے مادے ہیں جو بائیو کیمسٹری میں اہم کردار ادا کرتے ہیں + + اڈاstationپبلک ٹرانسپورٹ اسٹیشن (مثلاً ریلوے اسٹیشن، میٹرو اسٹیشن، بس اسٹیشن)Public transport station (eg. railway station, metro station, bus station). - allenatore di pallavolovolleybalcoachvolleyball coachπροπονητής βόλλεϋtraenálaí eitpheileVolleyballtrainer + volleybalcoachπροπονητής βόλλεϋVolleyballtrainertraenálaí eitpheileallenatore di pallavoloوالی بال کی تربیت کرنے والاvolleyball coach + + نشریاتی جالbroadcast networkنشریاتی جال ایک تنظیم ہے ، جیسے کارپوریشن یا دیگر ایسوسی ایشن ، جو ریڈیو یا ٹیلی ویژن اسٹیشنوں کے گروپ پر نشر کرنے کے لیے لائیو یا ریکارڈ شدہ مواد ، جیسے فلمیں ، نیوز کاسٹ ، کھیل اور عوامی امور کے پروگرام مہیا کرتی ہے۔A 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) + + public serviceخدمات عامہیہ ریاستی ڈھانچے کی طرف سے عوام کے لیے فراہم کردہ خدمات ہیں۔ - Theological conceptTheologisch Konzeptconcept théologiquetheologisch conceptTheological concepts, e.g. The apocalypse, Trinty, Stoicism + theologisch conceptTheologisch Konzeptمذہبی تصورconcept théologiqueTheological conceptTheological concepts, e.g. The apocalypse, Trinty, Stoicismمذہبی تصورات، جیسے آسمانی کِتاب تثلیث رواقیت + + تِجارتی اِدارہcompany - 居住地nederzettingsettlementοικισμόςbardaszone peupléeSiedlung + nederzettingοικισμός居住地Siedlungbardasبستیzone peupléesettlement + + ملکہ حسنbeauty queenخوبصورتی مقابلے کی خطاب یافتہA beauty pageant titleholder + + گانے والوں کا گروہBand - 首都CapitalehoofdstadCapitalΚεφάλαιοCapitaleHauptstadtA municipality enjoying primary status in a state, country, province, or other region as its seat of government. + hoofdstadΚεφάλαιο首都HauptstadtCapitaleدارالحکومتCapitaleCapitalA municipality enjoying primary status in a state, country, province, or other region as its seat of government.ایک بلدیہ جو کسی ریاست، ملک، صوبے، یا دوسرے علاقے میں اپنی حکومت کی نشست کے طور پر بنیادی حیثیت سے لطف اندوز ہوتی ہے۔ - 監督producentproducentProducerProducteurProduzenta person who manages movies or music recordings. + producentproducent監督ProduzentمبدہProducteurProducera person who manages movies or music recordings.وہ شخص جو فلموں یا میوزک کی ریکارڈنگ کا انتظام کرتا ہے۔ + + جنکگوginkgoچینی درخت پنکھے کے جیسے پتوں والا - programska opremaソフトウェアsoftwaresoftwarelogiciáriosoftware소프트웨어λογισμικόbogearraílogicielSoftware + 소프트웨어softwaresoftwareprogramska opremaλογισμικόソフトウェアSoftwarebogearraílogiciárioتحریری پروگراموں کا مجموعہlogicielsoftware + + arenaمیدانایک میدان ایک منسلک علاقہ ہے، اکثر سرکلر یا بیضوی شکل کا، تھیٹر، میوزیکل پرفارمنس، یا کھیلوں کے پروگراموں کی نمائش کے لیے ڈیزائن کیا گیا ہے۔ + + ہسپتال۔ - オペラόperaoperaoperaoperaόπεραceoldrámaopéraoper + όperaoperaόπεραオペラoperceoldrámaoperaموسیقی کے ساتھ نقل یا اداکاریopéraopera + + awardانعام - ラクロス選手lacrosse-spelerlacrosse playerπαίκτης χόκεϋ σε χόρτοimreoir crosógaíochtaLacrossespieler + lacrosse-spelerπαίκτης χόκεϋ σε χόρτοラクロス選手Lacrossespielerimreoir crosógaíochtaلیکروس کھلاڑیlacrosse player - vino D.O.C.certificaat van herkomst voor kwaliteitswijnenControlled designation of origin wineΕλεγμένη ονομασία προέλευσης κρασιούvin A.O.C.kontrollierte Ursprungsbezeichnung für QualitätsweineA quality assurance label for winesΜια ετικέτα διασφάλισης της ποιότητας των οίνων + certificaat van herkomst voor kwaliteitswijnenΕλεγμένη ονομασία προέλευσης κρασιούkontrollierte Ursprungsbezeichnung für Qualitätsweinevino D.O.C.vin A.O.C.Controlled designation of origin wineA quality assurance label for winesΜια ετικέτα διασφάλισης της ποιότητας των οίνων + + بشپ کے تحت حلقہڈسٹرکٹ یا ایک بشپ کی نگرانی میں دیکھیں۔ - fortfortFortified place, most of the time to protect traffic routes + fortfortfortقلعہFortified place, most of the time to protect traffic routesEndroit fortifié, la plupart du temps pour protéger des routes de trafic.مضبوط جگہ ، زیادہ تر وقت آمد و رفت کے راستوں کی حفاظت کے لیے - prezydent大統領presidentpresident국가원수πρόεδροςuachtaránprésidentPräsident + 국가원수presidentprezydentπρόεδρος大統領Präsidentuachtaránصدرprésidentpresident - racing driverRennfahrerοδηγός αγώνωνcoureur + coureurοδηγός αγώνωνRennfahrerمقابلہ میں کاریں چلانے والےracing driver - 構造物estructura arquitecturalstruttura architettonicabouwselarchitectural structure건축 구조αρχιτεκτονική κατασκευήstruchtúr ailtireachtastructure architecturaleBauwerkAn 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). + estructura arquitectural건축 구조bouwselαρχιτεκτονική κατασκευή構造物Bauwerkstruchtúr ailtireachtastruttura architettonicaتعمیراتی ڈھانچےstructure architecturalearchitectural 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).یہ تعمیراتی ڈھانچے مواد سے بنے ہیں۔، آزادانہ ، غیر مستحکم بیرونی تعمیر۔Une structure architecturale est une construction extérieure immobile, autonome et construite par l'homme (http://en.wikipedia.org/wiki/Architectural_structure).An architectural structure is a human-made, free-standing, immobile outdoor construction (http://en.wikipedia.org/wiki/Architectural_structure). + + گولف کا باہمی مقابلہgolf tournament - テニス選手tenistatennisserjogador de tennistennis playerπαίχτης τένιςimreoir leadóigejoueur de tennisTennisspieler + tenistatennisserπαίχτης τένιςテニス選手Tennisspielerimreoir leadóigejogador de tennisٹینس کا کھلاڑیjoueur de tennistennis player + + باہمی مقابلہtournament - coal pitsteenkolenmijnKohlengrubeA coal pit is a place where charcoal is or was extractedEen mijn is een plaats waar steenkool wordt of werd gewonnen + steenkolenmijnKohlengrubeکوئلہpuits de charboncoal pitA coal pit is a place where charcoal is or was extractedکوئلے کا گڑھا ایک ایسی جگہ ہے جہاں چارکول ہے یا نکالا جاتا ہے۔Un puits de charbon est un endroit d'où le charbon était - ou est encore - extraitEen mijn is een plaats waar steenkool wordt of werd gewonnen + + بُرج آبWater 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 system + + volleyball playerوالی بال کاکھلاڑی + + عجائب گھرmuseum - Political conceptpolitische Konzeptpolitiek conceptPolitical concepts, e.g. Capitalism, Democracy + politiek conceptpolitische Konzeptسیاسی تصورconcept politiquePolitical conceptPolitical concepts, e.g. Capitalism, DemocracyConcept politiques tels que le capitalisme, la démocratie...سیاسی تصورات، جیسے سرمایہ داری، جمہوریت - BrowserBrowserBrowser (bladerprogramma)Браузер + Browser (bladerprogramma)БраузерBrowserٹٹولنے والاNavigateurBrowser + + کھیلوں کی جماعت کا موسمsports team seasonایک خاص سپورٹس ٹیم کے لیے ایک موسم (جیسا کہ پوری لیگ کے موسم کے برعکس جس میں ٹیم ہے۔A season for a particular sports team (as opposed to the season for the entire league that the team is in) - digitale cameradigital camera디지털 카메라ψηφιακή φωτογραφική μηχανήceamara digiteachappareil photo numériqueDigitalkameraΗ ψηφιακή φωτογραφική μηχανή είναι συσκευή η οποία καταγράφει εικόνες με ηλεκτρονικό τρόπο, σε αντίθεση με την συμβατική φωτογραφική μηχανή, η οποία καταγράφει εικόνες με χημικές και μηχανικές διαδικασίες.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. + 디지털 카메라digitale cameraψηφιακή φωτογραφική μηχανήDigitalkameraceamara digiteachڈیجیٹل کیمرہappareil photo numériquedigital 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.ڈیجیٹل کیمرہ ایک ایسا آلہ ہے جو روایتی کیمرہ کے برعکس الیکٹرانک طور پر تصاویر کھینچتا ہے، جو کیمیائی اور مکینیکل عمل سے تصاویر کھینچتا ہے۔ + + national football league eventقومی فٹ بال انجمن تقریب - イベントgebeurteniseventoevent사건γεγονόςócáidévènementEreignis + 사건gebeurtenisγεγονόςイベントEreignisócáideventoتقریبévènementevent + + وزیرminister + + cemeteryقبرستانA burial placeایک تدفین کی جگہ + + تاریخی تعمیر - バンド_(音楽)bandagruppo musicalebandbandaBand음악 그룹μουσικό συγκρότημαbanna ceoilgroupe de musiqueMusikgruppe + banda음악 그룹bandμουσικό συγκρότημαバンド_(音楽)Musikgruppebanna ceoilgruppo musicalebandaگانے والوں کا گروہgroupe de musiqueBand + + Christian Patriarchعیسائی پادری - 摂政regentschap (regering)kabupatenregencyαντιβασιλείαRegentschaftbagian wilayah administratif dibawah provinsi + regentschap (regering)αντιβασιλεία摂政Regentschaftkabupatenregencybagian wilayah administratif dibawah provinsi - državapaíslandlandcountry나라χώραtírГосударствоpaysStaat + país나라landlanddržavaГосударствоχώραStaattírملکpayscountry - toreador闘牛士torerotorerostierenvechterbullfighter투우사ταυρομάχοςtarbhchomhraiceoirtoreroStierkämpfer + torero투우사stierenvechtertoreadorταυρομάχος闘牛士Stierkämpfertarbhchomhraiceoirtoreroبیل کا مُقابلہ کرنے والاtorerobullfighter + + high diverاونچائی سے پانی میں ڈبکی لگانے والا + + shipجہاز + + معدنیاتmineralA naturally occurring solid chemical substance.قدرتی طور پر پائے جانے والا ٹھوس کیمیائی مادہ - フェンシング選手schermerfencerξιφομάχοςpionsóirFechter + schermerξιφομάχοςフェンシング選手Fechterpionsóirتیغ زنfencer + + youtuberاليوتيوبYoutuberयूट्यूबरیوٹیب پر وڈیو لگانے والاyoutuberrayoutubeuseYoutubera person who uploads, produces, or appears in videos on the video-sharing website YouTube..وہ شخص جو ویڈیو شیئرنگ ویب سائٹ یوٹیوب پر ویڈیوز اپ لوڈ کرتا ہے، تیار کرتا ہے یا ان میں ظاہر ہوتا ہے + + وقت وقفہTimeInterval - paardenracehorse raceαγώνας ιππασίαςcourse de chevauxPferderennen + paardenraceαγώνας ιππασίαςPferderennenگھوڑا دوڑ میں مقابلہ کرناcourse de chevauxhorse race - ryba魚類pescadofiskvispeixefishψάριiascpoissonFisch + pescadofiskvisrybaψάρι魚類Fischiascpeixeمچھلیpoissonfish + + HumanGeneLocationانسانی نَسبہ کا مقام - 雑誌tijdschriftmagazine잡지ΠεριοδικόirisleabharmagazinePublikumszeitschriftMagazines, 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. + 잡지tijdschriftΠεριοδικό雑誌PublikumszeitschriftirisleabharرسالہmagazinemagazineMagazines, 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. - 銀河galaksegalaksimelkwegstelselgaláxiagalaxy은하γαλαξίαςréaltragalaxieGalaxie + 은하galaksemelkwegstelselγαλαξίας銀河Galaxieréaltragaláxiaکہکشاںgalaxiegalaksigalaxy + + بادشاہmonarch - 韓国の漫画manhwamanhwamanhwamanhwaKorean 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Κορεάτικος όρος για τα κόμικς και τα κινούμενα σχέδια εκτύπωσης + manhwamanhwa韓国の漫画manhwaمنحواmanhwaManhua is het Koreaanse equivalent van het stripverhaalΚορεάτικος όρος για τα κόμικς και τα κινούμενα σχέδια εκτύπωσηςist die in der westlichen Welt verbreitete Bezeichnung für Comics aus Südkorea.مزاحیہ اور پرنٹ کارٹونز کے لیے کورین اصطلاحKorean term for comics and print cartoons - Miembro de organizaciónorganisatielidOrganisation memberΜέλος οργανισμούOrganisationsmitgliedA member of an organisation.Μέλος ενός οργανισμού. + Miembro de organizaciónorganisatielidΜέλος οργανισμούOrganisationsmitgliedتنظیم کے رکنMembre d'organisationOrganisation memberA member of an organisation.Membre appartenant à une organisation.Μέλος ενός οργανισμού.کسی تنظیم کا ممبر + + قبر کی یادگارgrave stone or grave monumentایک یادگار ایک مقبرے پر کھڑی کی گئی ، یا ایک یادگار پتھرA monument erected on a tomb, or a memorial stone. - televisie seizoentelevision season텔레비전 시즌τηλεοπτική σεζόνFernsehstaffel + 텔레비전 시즌televisie seizoenτηλεοπτική σεζόνFernsehstaffelٹی وی ڈرامہtelevision season - zaakcase케이스υπόθεσηcásdossierSacheA 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. + 케이스zaakυπόθεσηSachecásمعاملہdossiercaseA 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.ایک کیس انتظامی یا کاروباری فیصلے کی تیاری کے لیے کیے گئے کام کی کل ہے۔ ایک اصول کے طور پر ، ایک کیس دستاویزات کے ایک سیٹ میں ظاہر ہوتا ہے۔ - タクソンtaxontaxonomic groupταξονομική ομάδαtaxonomische Gruppea category within a classification system for Speciescategorie binnen een classificatiesysteem voor plant- en diersoorten + taxonταξονομική ομάδαタクソンtaxonomische Gruppeنسل یا خاندانgroupe taxonomiquetaxonomic groupa category within a classification system for Speciesپرجاتیوں کے لیے درجہ بندی کے نظام کے اندر ایک زمرہcatégorie dans un système de classification d'espècescategorie binnen een classificatiesysteem voor plant- en diersoorten - 法律事務所bufete de abogadosadvocatenkantoorlaw firmεταιρεία δικηγόρωνgnólacht dlíAnwaltskanzleiA 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. + bufete de abogadosadvocatenkantoorεταιρεία δικηγόρων法律事務所Anwaltskanzleignólacht dlíقانونی فرم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 + motor raceMotorradrennenmotorwedstrijdکار دوڑ - kanaaltunnelwaterway tunneltollán uiscebhealaightunnel de voie navigableKanaltunnel + kanaaltunnelKanaltunneltollán uiscebhealaighآبی گزرگاہ کی سرنگtunnel de voie navigablewaterway tunnel + + اعلی پانی میں ڈبکی لگانے والا + + خامرہenzyme - 大洋oceaanoceanoOceanΩκεανόςaigéanOcéanOzeanA body of saline water that composes much of a planet's hydrosphere.Μάζα αλμυρού νερού που αποτελεί σημαντικό μέρος της υδρόσφαιρας ενός πλανήτη. + oceaanΩκεανός大洋OzeanaigéanoceanoسمندرOcéanOceanنمکین پانی کا ایک جسم جو سیارے کے ہائیڈروسفیئر کا زیادہ تر حصہ بناتا ہے۔A body of saline water that composes much of a planet's hydrosphere.Μάζα αλμυρού νερού που αποτελεί σημαντικό μέρος της υδρόσφαιρας ενός πλανήτη. + + infrastructureinfrastructureبنیادی ڈھانچہ - lotnisko空港aeropuertolufthavnaeroportoluchthaven機場aeroportoairport공항αεροδρόμιοaerfortаэропортaéroportFlughafenaeroporto + aeropuerto공항lufthavnluchthavenаэропортlotniskoαεροδρόμιο空港Flughafenaerfortaeroportoaeroporto機場ہوائی اڈہaeroportoaéroportairport + + automobile engineموٹر گاڑی کا انجن + + ویکی میڈیا کا سانچہWikimedia template!اس کلاس کو استعمال نہ کریں! یہ صرف اندرونی استعمال کے لیے ہےDO NOT USE THIS CLASS! This is for internal use only! + + speedway teamسپیڈ وے ٹیم - ボクサーpugilebokserboxeadorboxer권투 선수πυγμάχοςdornálaíboxeurBoxer + 권투 선수bokserπυγμάχοςボクサーBoxerdornálaípugileboxeadorمکے بازboxeurboxer + + گاؤںvillageایک انسانی بستی یا برادری کا جھنڈ ، عام طور پر ایک چھوٹا قصبہa clustered human settlement or community, usually smaller a town - シダ植物門helechofelcevarensamambaiafernφτέρηraithneachfougèresfarn + helechovarenφτέρηシダ植物門farnraithneachfelcesamambaiaبے پھول کا بڑے پتوں والا پوداfougèresfern + + skaterاسکیٹ کرنے والا + + قاتلmurderer - naruto charactercarachtar narutoNaruto Charakterpersonage in Naruto + personage in NarutoNaruto Charaktercarachtar narutoافسانوی کردارnaruto character + + amateur boxerشوقیہ مکے باز - サッカー選手futbolistafodboldspillercalciatorevoetballersoccer player축구 선수παίχτης ποδοσφαίρουimreoir sacairjoueur de footballFußballspieler + futbolista축구 선수fodboldspillervoetballerπαίχτης ποδοσφαίρουサッカー選手Fußballspielerimreoir sacaircalciatoreفٹبال کا کھلاڑیjoueur de footballsoccer player + + single listایک فہرستA list of singlesاِنفرادی فہرست + + پارلیمنٹ کا رکنmember of parliament + + attackحملہحملہ لازمی طور پر فوجی تصادم کا حصہ نہیں ہے۔ - ファッションmodefashionμόδαfaiseanmodeModetype 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. + modeμόδαファッションModefaiseanروشِ لباسmodefashiontype 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. + + Historical countryتاریخی ملکایک ایسی جگہ جو ایک ملک ہوا کرتی تھی۔ + + libraryکتب خانہ - wyspaIslaøeilandilhaislandνησίoileánîleInsel + IslaøeilandwyspaνησίInseloileánilhaجزیرہîleisland + + Pyramidمخروطی مصری مینارa structure whose shape is roughly that of a pyramid in the geometric sense.ایک ڈھانچہ جس کی شکل ہندسی معنوں میں تقریبا ایک اہرام کی ہے۔ + + historical periodتاریخی دورA historical Period should be linked to a Place by way of the property dct:spatial (already defined)یک تاریخی ادوار کو جائیداد کے ذریعے کسی جگہ سے جوڑا جانا چاہیے۔ + + انسانی نَسبہHumanGene - Open Swarmopen zwerm (cluster)Open SwarmΑνοικτό σμήνος + open zwerm (cluster)Ανοικτό σμήνοςOpen Swarmکھلی بھیڑOpen Swarm + + academic journalتعلیمی جریدہ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.تعلیمی جریدہ زیادہ تر ہم مرتبہ نظرثانی شدہ جریدہ ہے جس میں کسی خاص تعلیمی ادب سے متعلق وظیفہ شائع کیا جاتا ہے۔ تعلیمی جرائد نئی تحقیق کی جانچ پڑتال اور موجودہ تحقیق کی تنقید کے تعارف اور پیشکش کے لیے عوامی جرگہ کے طور پر کام کرتے ہیں۔ مواد عام طور پر مضامین کی شکل اختیار کرتا ہے جو اصل تحقیق، جائزہ مضامین، اور کتاب کے جائزے پیش کرتے ہیں۔ + + lacrosse leagueلیکروس انجمنa group of sports teams that compete against each other in Lacrosse.کھیلوں کی ٹیموں کا ایک گروپ جو لیکروس لیگ میں ایک دوسرے کے خلاف مقابلہ کرتا ہے + + genreصنف - natuurgebiedlugar naturalnatural placeφυσική θέσηlieu naturelnatürlicher OrtΗ φυσική θέση ερμηνεύει όλα τα σημεία που απαντώνται φυσικά στο σύμπανThe natural place encompasses all places occurring naturally in universe.Der natürlicher Ort beinhaltet alle Orte die natürlicherweise im Universum existieren. + natuurgebiedφυσική θέσηnatürlicher Ortlugar naturalقدرتی جگہlieu naturelnatural placeΗ φυσική θέση ερμηνεύει όλα τα σημεία που απαντώνται φυσικά στο σύμπανThe natural place encompasses all places occurring naturally in universe.Der natürlicher Ort beinhaltet alle Orte die natürlicherweise im Universum existieren.قدرتی جگہ کائنات میں قدرتی طور پر پائے جانے والے تمام مقامات پر محیط ہے۔ + + letterحرفA letter from the alphabet.حروف تہجی سے ایک حرف + + PandemicPandémie瘟疫عالمی وباءGlobal epidemic of infectious diseaseEpidémie globale de maladie infectieuse也称大流行,是指某种流行病的大范围疾病爆发,其规模涉及多个大陆甚至全球(即全球大流行),并有大量人口患病متعدی بیماری کی عالمی وبا - grave stone or grave monumentgrafsteen of grafmonumentGrabdenkmalA monument erected on a tomb, or a memorial stone. + grafsteen of grafmonumentGrabdenkmalقبر کی یادگارpierre tombale ou monument funérairegrave stone or grave monumentA monument erected on a tomb, or a memorial stone.ایک یادگار ایک مقبرے پر کھڑی کی گئی ، یا ایک یادگار پتھر - soap karaktersoap characterχαρακτήρας σαπουνόπεραςcarachtar i sobaldrámaSoapoper Charakter + soap karakterχαρακτήρας σαπουνόπεραςSoapoper Charaktercarachtar i sobaldrámaسلسلہ وار ڈرامے کا کردارpersonnage de feuilletonsoap characterCharacter of soap - radio or television serial frequently characterized by melodrama, ensemble casts, and sentimentality.Personnage de feuilleton mélodramatique ou sentimental pour la radio ou la télévision. - aglomeracjaagglomeratieagglomerationσυσσώρευσηagglomérationBallungsgebietaglomeración + agglomeratieaglomeracjaσυσσώρευσηBallungsgebietمجموعہaglomeraciónagglomérationagglomeration + + موٹر کھیل میں گاڑی دوڑانے والاmotorsport racer - school coachcollege coach대학 코치προπονητής κολεγίουtraenálaí coláisteentraîneur universitaireCollege-Trainer + 대학 코치school coachπροπονητής κολεγίουCollege-Trainertraenálaí coláisteکھیل سکھانے والاentraîneur universitairecollege coach - ヒト遺伝子menselijk genHumanGeneανθρώπινο γονίδιοgéin duineHumangen + menselijk genανθρώπινο γονίδιοヒト遺伝子Humangengéin duineانسانی نَسبہgène humainHumanGene + + airlineہوائی راستہہوائی جہازوں کے ذریعے سواریاں لے جانے والی تنظیم + + spatial thingجیو: مقامی چیزیں + + سائنسی تصورScientific conceptسائنسی تصورات، جیسے نظریہ اضافیت، کوانٹم کشش ثقل + + localityمحلہ + + religiousمذہبی - 筋肉spiermuscleμυςmatánmuscleMuskel + spierμυς筋肉Muskelmatánپٹھوںmusclemuscle + + military unitفوجی یونٹ - information applianceDatengerätσυσκευή πληροφορικήςdispositivo electrónicoAn information device such as PDAs or Video game consoles, etc. + dispositivo electrónicoσυσκευή πληροφορικήςDatengerätمعلوماتی آلاتinformation applianceAn information device such as PDAs or Video game consoles, etc.معلوماتی آلہ جیسے پی ڈی اے یا ویڈیو گیم کنسولز وغیرہ - psycholoogpsychologistψυχολόγοςsíceolaíPsychologe + psycholoogψυχολόγοςPsychologesíceolaíماہر نفسیاتpsychologuepsychologist - 河川ruscellostroomcurso d’águastreamρέμαsruthánruisseauBacha flowing body of water with a current, confined within a bed and stream banks + stroomρέμα河川Bachsruthánruscellocurso d’águaندیruisseaustreama flowing body of water with a current, confined within a bed and stream banksپانی کا بہتا ہوا کرنٹ ، ایک بستر اور ندی کے کناروں میں محدود ہے۔ Record OfficeAmtsarchivArchiefinstelling - director deportivosportbestuurdersports managerαθλητικός μάνατζερSportmanagerAccording 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,μπορεί να εννοείται ο προπονητής.Παρ'όλα αυτα,εδώ ένας αθλητικός μάνατζερ μεταφράζεται ως ένα μέλος συμβουλίου ενός αθλητικού κλαμπ. + director deportivosportbestuurderαθλητικός μάνατζερSportmanagerکھیلوں کا منتظمsports 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,μπορεί να εννοείται ο προπονητής.Παρ'όλα αυτα,εδώ ένας αθλητικός μάνατζερ μεταφράζεται ως ένα μέλος συμβουλίου ενός αθλητικού κλαμπ. - サーファーsurfersurferσέρφερsurfálaíSurfer + surferσέρφερサーファーSurfersurfálaíموج تختہ پر سوار ہونے والاsurfer - 病院hospitalziekenhuishospitalhospital병원νοσοκομείοospidéalhôpitalKrankenhaus + 병원hospitalziekenhuisνοσοκομείοKrankenhausospidéalhospitalہسپتالhôpitalhospital + + ماہر حیاتیاتbiologist - 温泉warmwaterbronfonte termalhot springfoinse theheiße Quelle + warmwaterbron温泉heiße Quellefoinse thefonte termalگرم موسم بہارsource d'eau chaudehot spring - 法 (法学)lovwetlawloiGesetz + lovwet法 (法学)Gesetzقانونloilaw + + constellationنکشتر - szef kuchni料理人cocinerokokchefkokchef요리사αρχιμάγειροςcócairechefKocha person who cooks professionally for other peopleuna persona que cocina profesionalmente para otras + cocinero요리사kokkokszef kuchniαρχιμάγειρος料理人Kochcócairechefباورچیchefchefa person who cooks professionally for other peopleuna persona que cocina profesionalmente para otrasوہ شخص جو پیشہ ورانہ طور پر دوسرے لوگوں کے لیے کھانا پکاتا ہے۔ + + aristocratاشرافیہ + + یوٹیب پر وڈیو لگانے والاYoutuberوہ شخص جو ویڈیو شیئرنگ ویب سائٹ یوٹیوب پر ویڈیوز اپ لوڈ کرتا ہے، تیار کرتا ہے یا ان میں ظاہر ہوتا ہےa person who uploads, produces, or appears in videos on the video-sharing website YouTube.. + + contestتکرار کرنا - 哲学者filosoofphilosopher철학자φιλόσοφοςphilosophePhilosoph + 철학자filosoofφιλόσοφος哲学者Philosophفلسفیphilosophephilosopher + + ٹرام گاڑیtram + + sequence of worksکام کی ترتیبséquence d'oeuvressequence of works previous/nextپچھلے/اگلے کاموں کی ترتیبséquence d'oeuvres précédent/suivant - ordenamiento jurídicorechtssysteemSystem of lawσύστημα δικαίουrégime de droitRechtssystema system of legislation, either national or international + ordenamiento jurídicorechtssysteemσύστημα δικαίουRechtssystemrégime de droitSystem of lawa system of legislation, either national or international - バイオデータベースdatabase biologicobiologische databankBanco de dados biológicoBiological database생물학 데이터베이스Βάση Δεδομένων Βιολογικών ΧαρακτηριστικώνBase de données biologiquesBiologische DatenbankΔιάφορες βάσεις δεδομένων οι οποίες περιέχουν πληροφορίες που ταυτοποιούν τα βασικά βιολογικά χαρακτηριστικά των οργανισμών. Οι πληροφορίες αυτές συγκροτούνται σε σύνολα βιβλιοθηκών των βασικών δομών των κυττάρων των οργανισμών, όπως οι βιλβιοθήκες νουκλεϊνικών οξέων (genomics) και πρωτεϊνών (proteomics). + 생물학 데이터베이스biologische databankΒάση Δεδομένων Βιολογικών ΧαρακτηριστικώνバイオデータベースBiologische Datenbankdatabase biologicoBanco de dados biológicoحیاتیاتی ریکارڈرز_پر_مبنی_ایک_فائلBase de données biologiquesBiological databaseΔιάφορες βάσεις δεδομένων οι οποίες περιέχουν πληροφορίες που ταυτοποιούν τα βασικά βιολογικά χαρακτηριστικά των οργανισμών. Οι πληροφορίες αυτές συγκροτούνται σε σύνολα βιβλιοθηκών των βασικών δομών των κυττάρων των οργανισμών, όπως οι βιλβιοθήκες νουκλεϊνικών οξέων (genomics) και πρωτεϊνών (proteomics). + + hockey clubہاکی کی تنظیم + + writerمصنف - kościół教会iglesiakirkechiesakerkigrejachurch교회εκκλησίαeaglaiségliseKircheThis is used for church buildings, not any other meaning of church. + iglesia교회kirkekerkkościółεκκλησία教会KircheeaglaischiesaigrejaگرجاéglisechurchThis is used for church buildings, not any other meaning of church.یہ چرچ کی عمارتوں کے لیے استعمال ہوتا ہے ، چرچ کا کوئی دوسرا مطلب نہیں۔ - トンネルtunneltunnel터널τούνελtollántunnelTunnelA 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).Ένα τούνελ μπορεί να είναι για πεζούς ή για αυτοκινητόδρομους,για σιδηρόδρομους,ή για κανάλια στο νερό.Μερικά τούνελ είναι υδραγωγεία για να παρέχουν νερό προς κατανάλωση ή για υδροηλεκτικούς σταθμούς ή είναι υπόνομοι. + 터널tunnelτούνελトンネルTunneltollánسرنگtunneltunnelΈνα τούνελ μπορεί να είναι για πεζούς ή για αυτοκινητόδρομους,για σιδηρόδρομους,ή για κανάλια στο νερό.Μερικά τούνελ είναι υδραγωγεία για να παρέχουν νερό προς κατανάλωση ή για υδροηλεκτικούς σταθμούς ή είναι υπόνομοι.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).ایک سرنگ پیدل یا گاڑیوں کی سڑک کے لیے، ریل ٹریفک کے لیے، یا نہر کے لیے ہو سکتی ہے۔ کچھ سرنگیں پانی کی کھپت یا ہائیڈرو الیکٹرک اسٹیشنوں کے لیے پانی کی فراہمی کے لیے آبی راستے ہیں یا گٹر ہیں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).A 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). - 漕艇選手canottiereroeierrowerκωπηλάτηςrámhaíRuderer + roeierκωπηλάτης漕艇選手Rudererrámhaícanottiererower - 銀杏属ginkgo bilobaGinkgo bilobaginkgoginkgoginkgoginkgoginkgo + Ginkgo bilobaginkgo銀杏属ginkgoginkgo bilobaginkgoجنکگوginkgoginkgoچینی درخت پنکھے کے جیسے پتوں والا + + skierاسکی باز + + countryملک - vallevalleivalevalleyΚοιλάδαgleannvalléetala depression with predominant extent in one direction + valleiΚοιλάδαtalgleannvallevaleوادیvalléevalleya depression with predominant extent in one directionپہاڑیوں یا پہاڑوں کے درمیان زمین کا ایک نچلا علاقہ، عام طور پر اس میں سے دریا یا ندی بہتی ہے + + پن چکیWatermillواٹر مل ایک ایسا ڈھانچہ ہے جو پانی کے پہیے یا ٹربائن کا استعمال مکینیکل عمل کو چلانے کے لیے کرتا ہے جیسے آٹا، لکڑی یا ٹیکسٹائل کی پیداوار، یا دھات کی تشکیل (رولنگ، پیسنا یا تار ڈرائنگ)A 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) + + ٹیم کے رکنTeam memberایتھلیٹک ٹیم کا رکنA member of an athletic team. - コーチallenatorecoachcoachπροπονητήςtraenálaíentraîneurTrainer + coachπροπονητήςコーチTrainertraenálaíallenatoreتربیت کرنے والاentraîneurcoach + + کشتی کی تقریبwrestling event + + یوروویژن گانا مقابلہ اندراجEurovision song contest entry - pisarz著作家escritorforfatterrakstnieksauteurwriter작가συγγραφέαςscríbhneoirécrivainschriftsteller + escritor작가forfatterauteurpisarzσυγγραφέας著作家schriftstellerscríbhneoirمصنفrakstnieksécrivainwriter + + دماغbrain + + Portبندرگاہa location on a coast or shore containing one or more harbors where ships can dock and transfer people or cargo to or from land.ساحل یا ساحل پر ایک مقام جس میں ایک یا زیادہ بندرگاہیں ہوں جہاں بحری جہاز لوگوں یا سامان کو زمین پر یا اس سے منتقل کر سکتے ہیں + + Hormoneاعضاء کی خوراکA 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.ایک مادہ جو غدود سے نکل کر خون میں شامل ہوتا ہےاورگردش کے نظام کے ذریعے دور دراز کے اعضاء کو نشانہ بناتے ہیں تاکہ جسمانیات اور طرز عمل کو کنٹرول کریں + + ان لائن ہاکی انجمنinline hockey leagueکھیلوں کی ٹیموں کا گروپ جو ان لائن ہاکی میں ایک دوسرے سے مقابلہ کرتے ہیں۔group of sports teams that compete against each other in Inline Hockey. + + actorاداکارAn actor or actress is a person who acts in a dramatic production and who works in film, television, theatre, or radio in that capacity.ایک اداکار یا اداکارہ وہ شخص ہوتا ہے جو ڈرامائی پروڈکشن میں کام کرتا ہے اور جو فلم ، ٹیلی ویژن ، تھیٹر یا ریڈیو میں اس صلاحیت کے ساتھ کام کرتا ہے - samochódavtomobil自動車automóvilautomobileautomobielautomovelаўтамабільautomobile자동차αυτοκίνητοgluaisteánавтомобильautomobileAutomobil + automóvil자동차automobielavtomobilавтомобильsamochódαυτοκίνητο自動車Automobilgluaisteánautomobileautomovelаўтамабільگاڑیautomobileautomobile - イデオロギーideologieideologiaideologyιδεολογίαidé-eolaíochtidéologieIdeologiefor example: Progressivism_in_the_United_States, Classical_liberalismγια παραδειγμα: Προοδευτισμός στις ΗΠΑ, κλασικός φιλελευθερισμός + ideologieιδεολογίαイデオロギーIdeologieidé-eolaíochtideologiaنظریہidéologieideologyfor 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 + Supreme Court of the United States caseFall Oberster Gerichtshof der Vereinigtenریاستہائے متحدہ کی سپریم کورٹ کیسcas juridique de la Cour suprême des États-Unis + + manآدمی + + prehistorical periodتاریخ سے پہلے کے زمانے کا دور + + societal eventمعاشرتی واقعہan event that is clearly different from strictly personal eventsایک ایسا واقعہ جو سختی سے ذاتی واقعات سے واضح طور پر مختلف ہو + + American Leaderامریکی رہنما + + nascar driverنیسکار ڈرائیور + + departmentشعبہ - standardstandaard規格a common specification + standaard規格معیاریstandardstandarda common specificationune spécification communeایک عام تفصیل + + space missionخلائی مہم + + والی بال پلیئر۔ + + حکومت کی قسمGovernment Typeحکومت کی ایک شکلa form of government + + animanga characterانیمنگا کردارAnime/Manga character + + catبلی + + فرانس کا انتظامی ضلعarrondissementایک انتظامی (فرانس) یا قانون کی عدالتیں (نیدرلینڈز) جو کہ علاقائی وحدت پر مقامی اور قومی سطح کے درمیان حکمرانی کرتی ہیںAn administrative (France) or lawcourts (Netherlands) body governing a territorial unity on the intermediate level, between local and national level - 群れstormozwermSwarmΣμήνοςschwarm + zwermΣμήνος群れschwarmstormoغولSwarm - team sportteamsportチームスポーツA team sport is commonly defined as a sport that is being played by competing teams + teamsportチームスポーツجماعتی کھیلsport d'équipeteam sportA team sport is commonly defined as a sport that is being played by competing teamsایک ٹیم کے کھیل کو عام طور پر ایک کھیل کے طور پر بیان کیا جاتا ہے جو مسابقتی ٹیموں کے ذریعہ کھیلا جاتا ہےUn sport d'équipe est défini communément comme un sport pratiqué par des équipes en compétition + + periodical literatureمتواتر ادبایک شائع شدہ کام ہے جو ایک باقاعدہ شیڈول پر ایک نئے ایڈیشن میں نمودار ہوتا ہے۔ سب سے واقف مثال اخبار ہیں ، جو اکثر روزانہ یا ہفتہ وار شائع ہوتے ہیں۔ یا میگزین عام طور پر ہفتہ وار ، ماہانہ یا سہ ماہی کے طور پر شائع ہوتا ہے۔ دوسری مثالوں میں ایک نیوز لیٹر ، ایک ادبی جریدہ یا سیکھا ہوا جریدہ ، یا ایک سالانہ کتاب ہوگی۔Periodical 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. - コミュニティgemeenschap (community)Community공동체κοινότηταpobalcommunautéGemeindeΚοινότητα είναι μία ομάδα ζώντων οργανισμών, ανθρώπων, φυτών ή ζώων που ζουν σε ένα κοινό περιβάλλον. + CommunityCommunautéبرادریکمیونٹی جانداروں، لوگوں، پودوں یا جانوروں کا ایک گروپ ہے جو ایک مشترکہ ماحول میں رہتے ہیں۔A community is a group of living organisms, people, plants or animals that live in a common environment.Une communauté est un groupe d'organismes vivants, de personnes, de plantes ou d'animaux qui vivent dans un environnement commun.Κοινότητα είναι μία ομάδα ζώντων οργανισμών, ανθρώπων, φυτών ή ζώων που ζουν σε ένα κοινό περιβάλλον. + + Cardinal directionہوا کی سمتOne of the four main directions on a compass or any other system to determine a geographical positionجغرافیائی پوزیشن کا تعین کرنے کے لیے کمپاس یا کسی دوسرے نظام پر چار اہم سمتوں میں سے ایک - squadra di football canadeseCanadees footballteamcanadian football Team캐나다 축구 팀καναδέζικη ομάδα ποδοσφαίρουéquipe canadienne de football américainkanadische Footballmannschaft + 캐나다 축구 팀Canadees footballteamκαναδέζικη ομάδα ποδοσφαίρουkanadische Footballmannschaftsquadra di football canadeseکینیڈین فٹ بال جماعتéquipe canadienne de football américaincanadian football Team + + تصویرimageایک دستاویز جس میں بصری عکس ہو۔A document that contains a visual image + + کھیلوں کا موسمsports season - ラジオ放送局emisora de radioradiozenderradio stationραδιοφωνικός σταθμόςstáisiún raidióstation de radioRadiosenderA 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. + emisora de radioradiozenderραδιοφωνικός σταθμόςラジオ放送局Radiosenderstáisiún raidióریڈیو سٹیشنstation de radioradio 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. + + locomotiveریل گاڑی کا انجن + + خوراکFoodکھانا کوئی بھی کھانے یا پینے کے قابل مادہ ہے جو عام طور پر انسان استعمال کرتے ہیں۔Food is any eatable or drinkable substance that is normally consumed by humans. - サッカーマネージャーgerente de fútbolvoetbalmanagersoccer managerπροπονητής ποδοσφαίρουbainisteoir sacairentraîneur de footballFußballmanager + gerente de fútbolvoetbalmanagerπροπονητής ποδοσφαίρουサッカーマネージャーFußballmanagerbainisteoir sacairفٹ بال منتظمentraîneur de footballsoccer manager + + amusement park attractionتفریحی پارک کی کشش + + فراعنہPharaohقدیم بادشاہوں کا ایک لقب - poesiagedichtpoemποίημαdánpoèmeGedicht + gedichtποίημαGedichtdánpoesiaنظمpoèmepoem - politik政治家politicuspolíticopolitician정치인πολιτικόςpolaiteoirpoliticienPolitiker + 정치인politicuspolitikπολιτικός政治家Politikerpolaiteoirpolíticoسیاستدانpoliticienpolitician - Kombinationspräparatcombination drugcombinatiepreparaatpréparation combinéeMedikamente die mehrere Wirkstoffe enthalten + combinatiepreparaatKombinationspräparatمنشیات کا مجموعہpréparation combinéecombination drugادویات جو کیمیکل کا مجموعہ ہیں۔‎Medikamente die mehrere Wirkstoffe enthalten - お笑い芸人komiekcomediantecomedian희극 배우κωμικόςfuirseoircomédienKomiker + 희극 배우komiekκωμικόςお笑い芸人Komikerfuirseoircomedianteمسخراcomédiencomedian + + بندبند ایک لمبی قدرتی طور پر واقع رکاوٹ یا مصنوعی طور پر تعمیر شدہ ذخیرہ یا دیوار ہے ، جو پانی کی سطح کو کنٹرول کرتی ہے۔ + + professorمعلم + + combination drugمنشیات کا مجموعہDrugs that are a combination of chemicals‎ادویات جو کیمیکل کا مجموعہ ہیں۔‎ + + soccer club seasonفٹ بال کلب کا موسم - 漫画家striptekenaarcomics creator만화가δημιουργός κόμιξcréateur de bandes dessinéesComicautor + 만화가striptekenaarδημιουργός κόμιξ漫画家Comicautorمزاحیہ تخلیق کارcréateur de bandes dessinéescomics creator + + جرمن ٹورنگ کار ماسٹرزریسر - 君主monarcamonarkmonarcamonarchmonarch군주μονάρχηςmonarquemonarch + monarca군주monarkmonarchμονάρχης君主monarchmonarcaبادشاہmonarquemonarch + + رگvein + + journalistصحافی - droga道路carreterawegcarreteraroad도로δρόμοςbótharrouteStraße + carretera도로carreterawegdrogaδρόμος道路Straßebótharسڑکrouteroad - tram stationstation de tramwaytramhalte + tram stationٹرام گاڑی کا اڈاstation de tramwaytramhalte - Philosophical conceptphilosophisch KonzeptFilosofisch themaPhilosophical concepts, e.g. Existentialism, Cogito Ergo Sum + Filosofisch themaphilosophisch Konzeptفلسفیانہ تصورconcept philosophiquePhilosophical conceptPhilosophical concepts, e.g. Existentialism, Cogito Ergo Sumفلسفیانہ تصورات، جیسے وجودیت، ٹریوس سمConcepts philosophiques tels que l'Existentialisme, Cogito Ergo Sum + + ڈی بی پیڈین - Playboy PlaymatePlayboy Playmateplayboy playmateplaymate pour Playboy + playboy playmatePlayboy Playmateپلے بوائے پلے میٹplaymate pour PlayboyPlayboy Playmateپلے میٹ ایک خاتون ماڈل ہے جسے پلے بوائے میگزین کے سینٹر فولڈ/گیٹ فولڈ میں پلے میٹ آف دی منتھ کے طور پر دکھایا گیا ہے + + stateریاست + + ٹینس کا کھلاڑیtennis player - デバイスapparaatdispositivodevice장치συσκευηgléasappareilGerät + 장치apparaatσυσκευηデバイスGerätgléasdispositivoآلہappareildevice + + Christian Bishopعیسائی پادري + + deputyنائب - 火山vulkaanvulcãovolcanoηφαίστειοbolcánvolcanVulkanA volcano is currently subclass of naturalplace, but it might also be considered a mountain.Το ηφαίστειο είναι υποκατηγορία φυσικών καταστάσεων, αλλά μπορεί επίσης να θεωρηθεί και βουνό. + vulkaanηφαίστειο火山Vulkanbolcánvulcãoآتش فشاںvolcanvolcanoA volcano is currently subclass of naturalplace, but it might also be considered a mountain.آتش فشاں فی الحال قدرتی جگہ کا ذیلی طبقہ ہے، لیکن اسے پہاڑ بھی سمجھا جا سکتا ہےΤο ηφαίστειο είναι υποκατηγορία φυσικών καταστάσεων, αλλά μπορεί επίσης να θεωρηθεί και βουνό. + + chess playerشطرنج کا کھلاڑی + + ولیsaint + + آبی پولوکا کھلاڑیwater polo Player - 新聞krantnewspaper신문εφημερίδαjournalZeitungA 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. + 신문krantεφημερίδα新聞Zeitungاخبارjournalnewspaperاخبار ایک باقاعدہ شیڈول اشاعت ہے جس میں موجودہ واقعات، معلوماتی مضامین، متنوع خصوصیات اور اشتہارات کی خبریں ہوتی ہیں۔ یہ عام طور پر نسبتاً سستے، کم درجے کے کاغذ پر پرنٹ کیا جاتا ہے جیسے نیوز پرنٹ۔A 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. + + cementeriobegraafplaatsνεκροταφείο墓地FriedhofreiligقبرستانcimetièrecemeteryA burial placeایک تدفین کی جگہΝεκροταφείο (ή Κοιμητήριο) ονομάζεται ο χώρος ο προορισμένος για την ταφή των νεκρών.Un cimetière est un groupement de sépultures monumentales. + + law firmقانونی فرمA 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.ایک قانونی فرم ایک کاروباری ادارہ ہے جسے ایک یا زیادہ وکلاء نے قانون کی مشق میں مشغول کرنے کے لیے تشکیل دیا ہے۔ قانونی فرم کی طرف سے فراہم کردہ بنیادی خدمت کلائنٹس (افراد یا کارپوریشنز) کو ان کے قانونی حقوق اور ذمہ داریوں کے بارے میں مشورہ دینا ہے، اور دیوانی یا فوجداری مقدمات، کاروباری لین دین، اور دیگر معاملات میں اپنے مؤکلوں کی نمائندگی کرنا ہے جن میں قانونی مشورہ اور دیگر مدد طلب کی جاتی ہے۔ - アメリカンフットボール選手jugador de fútbol americanogiocatore di football americanoAmerican footballspeleramerican football player미식 축구 선수παίκτης αμερικανικού ποδοσφαίρουjoueur de football américainAmerican Footballspielerxogador de fútbol americano + jugador de fútbol americano미식 축구 선수American footballspelerπαίκτης αμερικανικού ποδοσφαίρουアメリカンフットボール選手American Footballspielergiocatore di football americanoامریکی فٹ بال کھلاڑیxogador de fútbol americanojoueur de football américainamerican football player - czasopismo naukowe学術雑誌giornale accademicowetenschappelijk tijdschrift學術期刊academic journal학술지ακαδημαϊκό περιοδικόiris acadúiljournal académiqueWissenschaftliche Fachzeitschriftrevista académicaCzasopismo 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.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.Ένα ακαδημαϊκό περιοδικό είναι ως επί το πλείστον περιοδικό για κριτικές οι οποίες σχετίζονται με έναν συγκεκριμένο ακαδημαϊκό τομέα. Τα ακαδημαϊκά περιοδικά χρησιμεύουν ως φόρουμ για την εισαγωγή και παρουσίαση του ελέγχου των νέων ερευνών και της κριτικής της υπάρχουσας έρευνας. Το περιεχόμενο έχει συνήθως την μορφή άρθρων παρουσίασης νέας έρευνας, ανασκόπησης υπάρχων άρθρων και κριτικές βιβλίων.Wissenschaftliche 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.Unha revista académica é unha publicación periódica revisada por expertos na que se publican artigos dunha disciplina académica. + 학술지wetenschappelijk tijdschriftczasopismo naukoweακαδημαϊκό περιοδικό学術雑誌Wissenschaftliche Fachzeitschriftiris acadúilgiornale accademico學術期刊تعلیمی جریدہrevista académicajournal académiqueacademic journalاتعلیمی جریدہ زیادہ تر ہم مرتبہ نظرثانی شدہ جریدہ ہے جس میں کسی خاص تعلیمی ادب سے متعلق وظیفہ شائع کیا جاتا ہے۔ تعلیمی جرائد نئی تحقیق کی جانچ پڑتال اور موجودہ تحقیق کی تنقید کے تعارف اور پیشکش کے لیے عوامی جرگہ کے طور پر کام کرتے ہیں۔ مواد عام طور پر مضامین کی شکل اختیار کرتا ہے جو اصل تحقیق، جائزہ مضامین، اور کتاب کے جائزے پیش کرتے ہیں۔ + + olympic eventاولمپک کھیلوں کی تقریب - 卓球選手tafeltennissertable tennis player탁구 선수παίκτης πινγκ-πονγκimreoir leadóg bhoirdTischtennisspielerAthlete who plays table tennisO αθλητής που παίζει πινγκ-πονγκ + 탁구 선수tafeltennisserπαίκτης πινγκ-πονγκ卓球選手Tischtennisspielerimreoir leadóg bhoirdٹیبل ٹینس کا کھلاڑیjoueur de ping-pongtable tennis playerAthlete who plays table tennisکھلاڑی جو ٹیبل ٹینس کھیلتا ہےO αθλητής που παίζει πινγκ-πονγκAthlète qui joue du tennis de table + + گہرائی + + نقل و حمل کا راستہroute of transportation - 作品obra de artekunstværkopera d'artekunstwerkartwork작품έργο τέχνηςsaothar ealaíneœuvre d'artKunstwerkA work of art, artwork, art piece, or art object is an aesthetic item or artistic creation. + obra de arte작품kunstværkkunstwerkέργο τέχνης作品Kunstwerksaothar ealaíneopera d'arteکار ہنرœuvre d'artartworkA work of art, artwork, art piece, or art object is an aesthetic item or artistic creation.فن کا کام، فَنی پیس، یا فَنی آبجیکٹ ایک جمالیاتی شے یا فنکارانہ تخلیق ہے۔ - siatkarzvolleyballervolleyball player배구 선수παίχτης βόλεϊVolleyballspieler + 배구 선수volleyballersiatkarzπαίχτης βόλεϊVolleyballspielerوالی بال کاکھلاڑیjoueur de volleyballvolleyball player + + handball teamہینڈ بال جماعت - non-profit organisatienon-profit organisationμη κερδοσκοπική οργάνωσηНекоммерческая организацияorganisation à but non lucratifgemeinnützige Organisation + non-profit organisatieНекоммерческая организацияμη κερδοσκοπική οργάνωσηgemeinnützige Organisationغیر منافع بخش تنظیمorganisation à but non lucratifnon-profit organisation - zeemarseaθάλασσαfarraigemerMeer + zeeθάλασσαMeerfarraigemarسمندرmerseaنمکین پانی کا ایک جسم جو سیارے کے ہائیڈروسفیئر کا زیادہ تر حصہ بناتا ہے۔Masse d'eau salée qui constitue la majeure partie de l'hydrosphère de la planète. - 聖職者ecclesiasticogeestelijkecleric성직자Κλήροςecclésiastiquegeistlicher + 성직자geestelijkeΚλήρος聖職者geistlicherecclesiasticoپادریecclésiastiquecleric + + بیس بال کی انجمنbaseball leagueکھیلوں کی ٹیموں کا ایک گروہ جو بیس بال میں ایک دوسرے کے خلاف مقابلہ کرتا ہےa group of sports teams that compete against each other in Baseball + + National anthemقومی ترانہPatriotic musical composition which is the offcial national song.محب وطن موسیقی کی ساخت جو سرکاری قومی گانا ہے۔ - ミスreginetta di bellezzaschoonheidskoninginbeauty queen뷰티퀸βασίλισσα ομορφιάςspéirbheanSchönheitsköniginA beauty pageant titleholderΤίτλος που αποδίδεται σε μία γυναίκα, τις περισσότερες φορές μετά από διαγωνισμό. + 뷰티퀸schoonheidskoninginβασίλισσα ομορφιάςミスSchönheitsköniginspéirbheanreginetta di bellezzaملکہ حسنreine de beautébeauty queenA beauty pageant titleholderخوبصورتی مقابلےکی خطاب یافتہΤίτλος που αποδίδεται σε μία γυναίκα, τις περισσότερες φορές μετά από διαγωνισμό. - szkoła学校escuelaskolescuolaschoolescolaschool학교σχολείοscoilécoleSchule + escuela학교skoleschoolszkołaσχολείο学校Schulescoilscuolaescolaمدرسهécoleschool - 地域regioregionπεριοχήréigiúnrégionRegion + regioπεριοχή地域Regionréigiúnعلاقہrégionregion + + کھیلوں کی تقریبsports eventمقابلتی جسمانی سرگرمی کا ایک واقعہa event of competitive physical activity + + کھیل کی جماعتsports team - light novelLight novelライトノベルανάλαφρο μυθιστόρημαA style of Japanese novel + ανάλαφρο μυθιστόρημαライトノベルLight novelجاپانی افسانهlight novelA style of Japanese novelجاپانی ناول کا ایک انداز + + فوجی تنازعہmilitary conflict + + cycling raceسائیکلنگ دوڑ - 自然保護協会特別指定地区plaats met bijzonder wetenschappelijk belangSite of Special Scientific InterestΤοποθεσία Ειδικού Επιστημονικού ΕνδιαφέροντοςLáithreán Sainspéis Eolaíochtasite d'intérêt scientifique particulierwissenschaftliche Interessenvertretung für DenkmalschutzA 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. + plaats met bijzonder wetenschappelijk belangΤοποθεσία Ειδικού Επιστημονικού Ενδιαφέροντος自然保護協会特別指定地区wissenschaftliche Interessenvertretung für DenkmalschutzLáithreán Sainspéis Eolaíochtaخصوصی سائنسی دلچسپی کی سائٹsite d'intérêt scientifique particulierSite 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.خصوصی سائنسی دلچسپی کی سائٹ (SSSI) ایک تحفظ کا عہدہ ہے جو برطانیہ میں ایک محفوظ علاقے کی نشاندہی کرتا ہے۔ SSSIs سائٹ پر مبنی فطرت کے تحفظ سے متعلق قانون سازی کا بنیادی تعمیراتی حصہ ہیں اور برطانیہ میں بیشتر دیگر قانونی نوعیت/ارضیاتی تحفظ کے عہدہ ان پر مبنی ہیں، بشمول نیشنل نیچر ریزرو، رامسر سائٹس، خصوصی تحفظ کے علاقے، اور تحفظ کے خصوصی علاقے - snooker playerimreoir snúcairSnookerspielerbiljarterAn athlete that plays snooker, which is a billard derivateEin Sportler der Snooker spielt, eine bekannte Billardvariante + biljarterSnookerspielerimreoir snúcairسنوکر کے کھلاڑیsnooker playerAn athlete that plays snooker, which is a billard derivateEin Sportler der Snooker spielt, eine bekannte Billardvarianteایک کھلاڑی جو سنوکر کھیلتا ہے، جو بلارڈ ڈیریویٹ ہے۔ + + office holderعہدے دار - ijshockey competitieice hockey leagueπρωτάθλημα χόκεϋligue d'hockey sur glaceEishockey-Ligaa group of sports teams that compete against each other in Ice Hockey. + ijshockey competitieπρωτάθλημα χόκεϋEishockey-Ligaبرفانی ہاکی کی انجمنligue d'hockey sur glaceice hockey leaguea group of sports teams that compete against each other in Ice Hockey.کھیلوں کی ٹیموں کا ایک گروپ جو برفانی ہاکی میں ایک دوسرے سے مقابلہ کرتا ہے + + settlementبستی - función de personafunctie van persoonperson functionfonction de personneFunktion einer Person + función de personafunctie van persoonFunktion einer Personشخص کی تقریبfonction de personneperson function - 音楽家muziekartiestartista musicalmusical artist음악가μουσικόςmusicienmusikalischer Künstler + 음악가muziekartiestμουσικός音楽家musikalischer Künstlerartista musicalموسیقی کا فنکارmusicienmusical artist - 昆虫学者entomologoentomoloogentomologistεντομολόγοςfeithideolaíEntomologe + entomoloogεντομολόγος昆虫学者Entomologefeithideolaíentomologoماہر حشریاتentomologist + + Mathematical conceptریاضیاتی تصورMathematical concepts, e.g. Fibonacci numbers, Imaginary numbers, Symmetryریاضی کے تصورات، جیسے فبونیکی نمبرز، خیالی نمبرز، سمیٹری + + Pilotطیارہ اڑانے والا + + ٹیلی ویژن مرکزtelevision stationایک ٹیلی ویژن اسٹیشن عام طور پر ایک لائن اپ ہوتا ہے۔ مثال کے طور پر ٹیلی ویژن اسٹیشن WABC-TV (یا ABC 7، چینل 7)۔ براڈکاسٹنگ نیٹ ورک ABC کے ساتھ الجھن میں نہ پڑیں، جس میں بہت سے ٹیلی ویژن اسٹیشن ہیںA 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. - partia politycznapartido políticopolitieke partijpartido políticopartit políticpolitical partyπολιτικό κόμμαparti politiquepolitische Parteifor example: Democratic_Party_(United_States)για παράδειγμα: Δημοκρατικό Κόμμα _United_States) + partido políticopartit políticpolitieke partijpartia politycznaπολιτικό κόμμαpolitische Parteipartido políticoسیاسی جماعتparti politiquepolitical partyfor example: Democratic_Party_(United_States)για παράδειγμα: Δημοκρατικό Κόμμα _United_States) - 司会者presentatorpresenterΠαρουσιαστήςláithreoirprésentateurModeratorTV or radio show presenter + presentatorΠαρουσιαστής司会者Moderatorláithreoirپیش کنندہprésentateurpresenterTV or radio show presenterٹی وی یا ریڈیو شو پیش کرنے والا + + buildingعمارتعمارت کو سول انجینئرنگ ڈھانچے سے تعبیر کیا جاتا ہے جیسے مکان ، عبادت گاہ ، فیکٹری وغیرہ جس کی بنیاد ، دیوار ، چھت وغیرہ ہوتی ہے جو انسان اور ان کی خصوصیات کو موسم کے براہ راست سخت اثرات جیسے بارش ، ہوا ، سورج وغیرہ سے محفوظ رکھتی ہے۔Building 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). - 水車小屋mulino ad acquaWatermolenWatermillΝερόμυλοςmuileann uisceMoulin à eauWassermühleA 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) + WatermolenΝερόμυλος水車小屋Wassermühlemuileann uiscemulino ad acquaپن چکیMoulin à eauWatermillواٹر مل ایک ایسا ڈھانچہ ہے جو پانی کے پہیے یا ٹربائن کا استعمال مکینیکل عمل کو چلانے کے لیے کرتا ہے جیسے آٹا، لکڑی یا ٹیکسٹائل کی پیداوار، یا دھات کی تشکیل (رولنگ، پیسنا یا تار ڈرائنگ)A 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 - データベースdatabaseBanco de dadosDatabase데이터베이스βάση δεδομένωνbunachar sonraíBase de donnéesDatenbank + 데이터베이스databaseβάση δεδομένωνデータベースDatenbankbunachar sonraíBanco de dadosریکارڈرز_پر_مبنی_ایک_فائلBase de donnéesDatabase - Place in the Music ChartsChartplatzierungenplaats op de muziek hitlijst + Place in the Music ChartsChartplatzierungenplaats op de muziek hitlijstموسیقی چارٹس میں جگہ + + پس_منظرback sceneنَغمہ سَاز، پیش کرنے والا، اور پس پردہ لوگComposer, producer, and backstage people. + + surferموج تختہ پر سوار ہونے والا + + ligamentبندهن - etniaetnische groepethnic group민족εθνική ομάδαgrúpa eitneachgroupe ethniqueethnie + 민족etnische groepεθνική ομάδαethniegrúpa eitneachetniaنسلی گروہgroupe ethniqueethnic group - tenuredienstverbandAmtszeitdurée du mandat + dienstverbandAmtszeitدورdurée du mandattenure + + کسانfarmer + + Latter Day Saintنارمن فرقے کا عيسائی - international football league eventInternational Football Liga Veranstaltung + international football league eventInternational Football Liga Veranstaltungبین الاقوامی فٹ بال انجمن کی تقریب + + مکے بازی کھیل کی انجمنboxing leagueکھیلوں کی ٹیموں یا جنگجوؤں کا ایک گروپ جو مکے بازی میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں۔A group of sports teams or fighters that compete against each other in Boxing - 野球チームsquadra di baseballhonkbal teambaseball team야구팀ομάδα μπέιζμπολfoireann daorchluicheéquipe de baseballBaseballmannschaftΈνας αριθμός από άνδρες ή γυναίκες που αποτελούν ένα διακριτό σύνολο με συγκεκριμένους στόχους σχετικά με το άθλημα του μπέιζμπολ. + 야구팀honkbal teamομάδα μπέιζμπολ野球チームBaseballmannschaftfoireann daorchluichesquadra di baseballبیس بال کی جماعتéquipe de baseballbaseball teamΈνας αριθμός από άνδρες ή γυναίκες που αποτελούν ένα διακριτό σύνολο με συγκεκριμένους στόχους σχετικά με το άθλημα του μπέιζμπολ. - 祝日giorno festivovakantieholiday휴일αργίαlá saoirejour fériéFeiertagUn 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. + 휴일vakantieαργία祝日Feiertaglá saoiregiorno festivoچھٹیjour férié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.ام تعطیل سول یا مذہبی جشن کا دن ہے ، یا کسی تقریب کی یاد میں - 昆虫insectoinsectinsectέντομοfeithidinsecteInsekt + insectoinsectέντομο昆虫Insektfeithidکیڑاinsecteinsect - 鉱物mineralemineraalmineral광물ορυκτόminéralmineralA naturally occurring solid chemical substance.Corpi naturali inorganici, in genere solidi. + 광물mineraalορυκτό鉱物mineralmineraleمعدنیاتminéralmineralA naturally occurring solid chemical substance.قدرتی طور پر پائے جانے والا ٹھوس کیمیائی مادہCorpi naturali inorganici, in genere solidi. - opera musicalemuziekwerkmusical workμουσικό έργοœuvre musicalemusikalisches Werk + μουσικό έργοmusikalisches Werkopera musicaleموسیقی کا کامœuvre musicalemusical work + + ثانوی سیارهSatelliteایک فلکیاتی شے جو کسی سیارے یا ستارے کے گرد چکر لگاتی ہےAn astronomic object orbiting around a planet or star. Definition partly derived from http://www.ontotext.com/proton/protonext# (and thus WordNet 1.7). - File systemDateisystemBestandssysteemФайловая система + BestandssysteemФайловая системаDateisystemفائل سسٹمSystème de fichiersFile systemFile classification systemSystème de classification des fichiersفائلوں میں درجہ بندی کا نظام - soccer club seasonFußballverein Saisonvoetbalseizoen + soccer club seasonفٹ بال کلب کا موسمFußballverein Saisonvoetbalseizoen + + lunar craterقمری گڑھا - vervoermiddelmean of transportationμεταφορικό μέσοmoyen de transportTransportmittel + vervoermiddelμεταφορικό μέσοTransportmittelنقل و حمل کے ذرائعMoyen de transportmean of transportation - 注釈AantekeningAnnotationΣχόλιοannotationRandglossenota + AantekeningΣχόλιο注釈RandglosseتشریحnotaannotationAnnotation + + albumتصویروں اور دستخط کی کتاب + + Archiveمحفوظ شدہ دستاویزاتCollection of documents pertaining to a person or organisation.کسی شخص یا تنظیم سے متعلق دستاویزات کا مجموع + + فٹبال کا کھلاڑی - 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. + werkeenheidArbeitseinheitaonad oibreکام کی اکائیunité de travailunit of workThis 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.Cette classe est destinée à transmettre la notion de quantité de travail à faire. Elle est différente de l'activité en ce qu'elle a une fin définie et qu'elle est mesurée.اس کلاس کا مقصد کام کی مقدار کو سمجھانا ہے۔ یہ سرگرمی سے مختلف ہے کہ اس کا ایک حتمی اختتام ہے اور اسے ناپا جا رہا ہے۔ + + MedicineدوائیThe science and art of healing the human body and identifying the causes of diseaseانسانی جسم کو ٹھیک کرنے اور بیماری کی وجوہات کی نشاندہی کرنے کا سائنس اور فن - meczetモスクmezquitamoskeemosqueτζαμίmoscmosquéeMoscheeMeczet – miejsce kultu muzułmańskiegoA mosque, sometimes spelt mosk, is a place of worship for followers of Islam.Το τζαμί είναι ο τόπος λατρείας των Μουσουλμάνων.Is áit adhartha na Moslamach, lucht leanúna an reiligiúin Ioslam, é moscUne mosquée est un lieu de culte où se rassemblent les musulmans pour les prières communes. + mezquitamoskeemeczetτζαμίモスクMoscheemoscمسجدmosquéemosqueMeczet – miejsce kultu muzułmańskiegoΤο τζαμί είναι ο τόπος λατρείας των Μουσουλμάνων.Is áit adhartha na Moslamach, lucht leanúna an reiligiúin Ioslam, é moscایک مسجد اسلام کے پیروکاروں کے لیے عبادت گاہ ہے۔Une mosquée est un lieu de culte où se rassemblent les musulmans pour les prières communes.A mosque, sometimes spelt mosk, is a place of worship for followers of Islam. + + موضوع کا تصورtopical concept - National Collegiate Athletic Association atleetnational collegiate athletic association athletelúthchleasaí sa National Collegiate Athletic Associationathlète de la national collegiate athletic associationNCAA + National Collegiate Athletic Association atleetNCAAlúthchleasaí sa National Collegiate Athletic Associationقومی اعلی درجے کا مدرسہ کھیل کے متعلق دوستیathlète de la national collegiate athletic associationnational collegiate athletic association athlete + + club mossبغیر پُہولوں کا سدا بہار پودا + + line of fashionقطار رائجA coherent type of clothing or dressing following a particular fashionایک مربوط قسم کا لباس یا لباس کسی خاص فیشن کے بعد - motorsport racerMotorsport Fahrermotorsport rennerοδηγός αγώνων + motorsport rennerοδηγός αγώνωνMotorsport Fahrerموٹر کھیل میں گاڑی دوڑانے والاmotorsport racer - 遺伝子gengengenegeneγονίδιοgéingèneGen + gengenγονίδιο遺伝子Gengéingeneنَسبہgènegene + + بیل کا مُقابلہ کرنے والا - 審判員árbitroarbitroscheidsrechterrefereeδιαιτητήςréiteoirarbitreschiedsrichterAn official who watches a game or match closely to ensure that the rules are adhered to. + árbitroscheidsrechterδιαιτητής審判員schiedsrichterréiteoirarbitroarbitrerefereeAn official who watches a game or match closely to ensure that the rules are adhered to. - 爬虫類reptielreptileερπετόreiptílreptilereptil + reptielερπετό爬虫類reptilreiptílreptilereptile + + شہر کا منتظمmayor + + streamندیa flowing body of water with a current, confined within a bed and stream banksپانی کا بہتا ہوا کرنٹ ، ایک بستر اور ندی کے کناروں میں محدود ہے۔ - satellietSatelliteδορυφόροςsatailítsatelliteSatelliteAn astronomic object orbiting around a planet or star. Definition partly derived from http://www.ontotext.com/proton/protonext# (and thus WordNet 1.7).Ένα αστρονομικό αντικείμενο που βρίσκεται σε τροχιά γύρω από έναν πλανήτη ή αστέρι. + satellietδορυφόροςSatellitesatailítثانوی سیارهsatelliteSatelliteAn astronomic object orbiting around a planet or star. Definition partly derived from http://www.ontotext.com/proton/protonext# (and thus WordNet 1.7).ایک فلکیاتی شے جو کسی سیارے یا ستارے کے گرد چکر لگاتی ہےΈνα αστρονομικό αντικείμενο που βρίσκεται σε τροχιά γύρω από έναν πλανήτη ή αστέρι. + + Vaccination Statisticsویکسینیشن کے اعدادوشمارstatistiques de vaccinationStatistics related to the COVID-19 vaccination world progress‎COVID-19 ویکسینیشن کی عالمی پیشرفت سے متعلق اعدادوشمار‎Statistiques relatives à la progression mondiale de la vaccination contre le COVID-19‎ - giocatore di football canadeseCanadese football spelerjogador de futebol canadensecanadian football Player캐나다 축구 선수καναδός παίκτης ποδοσφαίρουjoueur de football canadienkanadischer Footballspieler + canadian football Playerکینیڈین فٹ بال کھلاڑی + + ناٹک - agencia del gobiernoorgaan openbaar bestuurgovernment agency정부 기관κυβερνητική υπηρεσίαОрган исполнительной властиagence gouvernementaleBehördeA 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.Μια κυβερνητική υπηρεσία είναι μόνιμη ή ημι-μόνιμη οργάνωση στο μηχανισμό της κυβέρνησης, η οποία είναι υπεύθυνη για την εποπτεία και διαχείριση συγκεκριμένων λειτουργιών, όπως η υπηρεσία πληροφοριών. + agencia del gobierno정부 기관orgaan openbaar bestuurОрган исполнительной властиκυβερνητική υπηρεσίαBehördeسرکاری محکمہagence gouvernementalegovernment 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.Μια κυβερνητική υπηρεσία είναι μόνιμη ή ημι-μόνιμη οργάνωση στο μηχανισμό της κυβέρνησης, η οποία είναι υπεύθυνη για την εποπτεία και διαχείριση συγκεκριμένων λειτουργιών, όπως η υπηρεσία πληροφοριών.ایک سرکاری ایجنسی حکومت کی مشینری میں ایک مستقل یا نیم مستقل تنظیم ہے جو مخصوص افعال کی نگرانی اور انتظام کے لیے ذمہ دار ہے ، جیسے کہ ایک انٹیلی جنس ایجنسی + + Biatleetバイアスロン選手BiathleteبائیتھلیٹBiathlèteBiathleteایک کھلاڑی جو بائاتھلون(کراس کنٹری سکینگ اور رائفل شارپ شوٹنگ پر مشتمل ایک جامع مقابلہ) میں مقابلہ کرتا ہے - flagbayrakvlagflag국기σημαίαbratachdrapeauFlagge + 국기flagvlagσημαίαFlaggebratachجھنڈاdrapeaubayrakflag rally driverrallycoureurοδηγός ράλιRallyefahrerΟ οδηγός ράλι χρησιμοποιείται για να περιγράψει άνδρα που λαμβάνει μέρος σε αγώνες αυτοκινήτων ειδικής κατηγορίας + + aircraftہوائی جہاز + + royaltyشاہی + + Noble familyشریف خاندانFamily deemed to be of noble descentخاندان کو شریف النسل سمجھا جاتا ہے۔ + + cycling competitionسائیکلنگ مقابلہ - 真正細菌bacteriabatteriobacteriebacteria세균βακτήριαbaictéirbactériebakterium + bacteria세균bacterieβακτήρια真正細菌bakteriumbaictéirbatterioجراثیمbactériebacteria - Archer PlayerBogenschützeboogschutter + boogschutterBogenschützeتیر انداز کھلاڑیTireur à l'arcArcher Player + + workکامItem on which time has been spent for its realisation. Actor can be a human on not (machine, insects, nature...)وہ شے جس پر اس کی تکمیل کے لیے وقت صرف کیا گیا ہو۔ اداکار انسان نہیں ہو سکتا (مشین، کیڑے، فطرت + + cricketerکرکٹ کا کھلاڑی - 枢機卿cardinalekardinaalcardealcardinal카디널καρδινάλιοςcairdinéalcardinalKardinal + 카디널kardinaalκαρδινάλιος枢機卿Kardinalcairdinéalcardinalecardealافضلcardinalcardinal - 軟体動物weekdiermolluscaμαλάκιαmollusqueWeichtiereΤα μαλάκια αποτελούν μια τεράστια συνομοταξία ζώων, την πολυπληθέστερη μετά τα αρθρόποδα, με πάνω από 100.000 είδη. + weekdierμαλάκια軟体動物Weichtiereریڑھ کی ہڈی کے بغیر جانورmollusquemolluscaΤα μαλάκια αποτελούν μια τεράστια συνομοταξία ζώων, την πολυπληθέστερη μετά τα αρθρόποδα, με πάνω από 100.000 είδη. + + old territoryپرانا علاقہ + + Nordic Combinedمشترکہ نورڈکنورڈک کمبائنڈ ایک موسم سرما کا کھیل ہے جس میں ما بین ملک کے کھلاڑی سکینگ اور سکی جمپنگ میں مقابلہ کرتے ہیں۔ - スタジアムstadionstadium경기장στάδιοstaidiamstadeStadion + 경기장stadionστάδιοスタジアムStadionstaidiamمعروف کھیلوں کے لیے مَخصُوص جگہstadestadium - ワインvinovinvinowijnwineκρασίfíonvinWein + vinovinwijnκρασίワインWeinfíonvinoشرابvinwine - national soccer clubnationaler Fußballvereinmilli takımnationale voetbalclub + nationale voetbalclubnationaler Fußballvereinقومی فٹ بال تنظیمmilli takımnational soccer club - cabinet of ministerskabinet (regeringsploeg)A cabinet is a body of high-ranking state officials, typically consisting of the top leaders of the executive branch. + cabinet of ministerscabinet des ministreskabinet (regeringsploeg)وزراء کی کابینہA cabinet is a body of high-ranking state officials, typically consisting of the top leaders of the executive branch.Un cabinet est une entité composée d'officiels de l'état de haut niveau, formée typiquement des dirigeants supérieurs de l'exécutif.کابینہ اعلی درجے کے ریاستی عہدیداروں کا ایک ادارہ ہے ، عام طور پر ایگزیکٹو برانچ کے اعلی رہنماؤں پر مشتمل ہوتا ہے۔ + + on-site mean of transportationکِسی موقع مقام پر نقل و حمل + + canoeistکشتی بنانے والا - muzeum博物館museummuseumuseum박물관μουσείοmúsaemmuséeMuseum + 박물관museummuzeumμουσείο博物館Museummúsaemmuseuعجائب گھرmuséemuseum + + آوازsoundصوتی لہروں کے ذریعے سماعت کے حسی اعضاء سے محرک ہوا کے دباؤ میں تبدیلی + + sports clubکھیلوں کی تنظیم - フィギュアスケート選手patinador artísticokunstschaatserpatinador artísticofigure skaterαθλητής του καλλιτεχνικού πατινάζscátálaí fíorachpatineur artistiqueEiskunstläufer + patinador artísticokunstschaatserαθλητής του καλλιτεχνικού πατινάζフィギュアスケート選手Eiskunstläuferscátálaí fíorachpatinador artísticoفگرسکیٹرpatineur artistiquefigure skater + + Nuclear Power plantایٹمی بجلی گھر - ウマhestpaardhorsecapallchevalPferd + hestpaardウマPferdcapallگھوڑاchevalhorse + + Philosophical conceptفلسفیانہ تصورPhilosophical concepts, e.g. Existentialism, Cogito Ergo Sumفلسفیانہ تصورات، جیسے وجودیت، ٹریوس سم - 日本の漫画mangamangamangaκινούμενα σχέδιαmangamangaManga are comics created in JapanManga is het Japanse equivalent van het stripverhaal + mangaκινούμενα σχέδια日本の漫画mangamangaمانگاmangamangaManga are comics created in Japanمنگا جاپان میں تخلیق کردہ کامکس ہیںManga is het Japanse equivalent van het stripverhaal - 単科大学universidadcollegefaculdadecollege단과대학κολέγιοcoláisteuniversitéCollege + universidad단과대학collegeκολέγιο単科大学Collegecoláistefaculdadeمدرسہuniversitécollege + + Historical regionتاریخی علاقہa place which used to be a region.ایک ایسی جگہ جو ایک علاقہ ہوا کرتی تھی + + قسمspeciesدرجہ بندی کے نظام میں ایک زمرہA category in the rating system - military serviceMilitärdienstservice militaire + military serviceفوجی خدماتMilitärdienstservice militaire - nascar coureurnascar driverοδηγός αγώνων nascarpilote de la nascarNASCAR Fahrer + nascar coureurοδηγός αγώνων nascarNASCAR Fahrerنیسکار ڈرائیورpilote de la nascarnascar 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. + περιοδικός τύποςPeriodikumمتواتر ادبpublication périodiqueperiodical literatureΠεριοδικός Τύπος (ή αλλιώς περιοδικό ή εφημερίδα) είναι η δημοσίευση άρθρου ή νέων ανά τακτά διαστήματα. Το πιο γνωστό παράδειγμα είναι οι εφημερίδες, που δημοσιεύονται σε καθημερινή ή εβδομαδιαία βάση και το περιοδικό, που τυπικά εκδίδεται σε εβδομαδιαία, μηνιαία ή δίμηνη βάση. Άλλα παραδείγματα μπορεί να είναι τα νέα ενός οργανισμού ή εταιρείας, ένα λογοτεχνικό ή εκπαιδευτικό περιοδικό ή ένα ετήσιο λεύκωμα.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.Periodical 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. - 静脈aderveiaveinφλέβαféithveineVene + aderφλέβα静脈Veneféithveiaرگveinevein + + موسیقی کا فنکارmusical artist + + آوازکا اداکارvoice actor - 植物piantaplantplantφυτόplandaplantepflanze + plantφυτό植物pflanzeplandapiantaپوداplanteplant + + religious organisationمذہبی تنظیمFormal organisation or organised group of believersباضابطہ تنظیم یا مومنین کا منظم گروپ - film映画películafilmfilmفيلمmovie영화ταινίαscannánfilmFilm + película영화filmfilmفيلمfilmταινία映画Filmscannánفلمfilmmovie + + presidentصدر - Concentration campKonzentrationslagerconcentratiekampcamp de concentrationcamp in which people are imprisoned or confined, commonly in large groups, without trial. + concentratiekampKonzentrationslagerحراستی کیمپcamp de concentrationConcentration campcamp 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 + waterpoloërWasserpolo Spielergiocatore di pallanuotoآبی پولوکا کھلاڑیjoueur de water polowater polo Player - スキー場skigebiedski areaΠεριοχή Χιονοδρομίαςláthair sciáladomaine skiableSkigebiet + Περιοχή Χιονοδρομίαςスキー場Skigebietláthair sciálaاسکی کاعلاقہdomaine skiableski area - ギターguitarraguitargitaarguitarκιθάραgiotarguitareGitarreDescribe la guitarrabeschrijving van de gitaarDescribes the guitarΠεριγράφει την κιθάραDécrit la guitare + guitarraguitargitaarκιθάραギターGitarregiotarستارguitareguitarDescribe la guitarrabeschrijving van de gitaarΠεριγράφει την κιθάραایک تار والا میوزیکل آلہ ، جس میں فنگر فنگر بورڈ ہوتا ہے ، عام طور پر کٹے ہوئے اطراف ، اور چھ یا بارہ تار ، انگلیوں یا پلیکٹرم سے توڑنے یا جھومنے سے بجائے جاتے ہیں۔Décrit la guitareDescribes the guitar + + ماہر فنیاتengineer + + comic stripمزاحیہ خاکے + + spionجاسوسजासूसجاسوسespioiespionnerSpy + + canalنہرa man-made channel for waterپانی کے لیے انسان کا بنایا ہوا چینل - predikantvicarιεροκήρυκαςbiocáirepasteurPfarrer + predikantιεροκήρυκαςPfarrerbiocáireحلقہ کا پادریpasteurvicar - Nordic CombinedNordischer Kombinierer + Nordic CombinedNordischer Kombiniererمشترکہ نورڈکنورڈک کمبائنڈ ایک موسم سرما کا کھیل ہے جس میں ما بین ملک کے کھلاڑی سکینگ اور سکی جمپنگ میں مقابلہ کرتے ہیں۔ - 競泳選手nadadornuotatorezwemmernadadorswimmer수영 선수KολυμβητήςsnámhaínageurSchwimmera trained athlete who participates in swimming meetsένας εκπαιδευμένος αθλητής που συμμετέχει σε συναντήσεις κολύμβησης + nadador수영 선수zwemmerKολυμβητής競泳選手Schwimmersnámhaínuotatorenadadorتیراکnageurswimmera trained athlete who participates in swimming meetsایک تربیت یافتہ کھلاڑی جو تیراکی کے مقابلوں میں حصہ لیتا ہےένας εκπαιδευμένος αθλητής που συμμετέχει σε συναντήσεις κολύμβησης - eerste ministerprime minister총리πρωθυπουργόςpríomh-airepremier ministrePremierminister + 총리eerste ministerπρωθυπουργόςPremierministerpríomh-aireوزیراعظمpremier ministreprime minister + + موٹر سائیکلmotorcycle + + polo leagueپولو انجمنA group of sports teams that compete against each other in Polo.کھیلوں کی ٹیموں کا ایک گروہ جو پولو میں ایک دوسرے سے مقابلہ کرتا ہے۔ + + athleticsکھیل کے متعلق - アスリートatletaatleetathlete운동 선수αθλητήςlúthchleasaíathlèteAthlet + 운동 선수atleetαθλητήςアスリートAthletlúthchleasaíatletaکھلاڑیathlèteathlete - farvekleurcorcolourχρώμαdathcouleurFarbeColor 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. + farvekleurχρώμαFarbedathcorرنگcouleurcolourColor 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エスカレーター + roltrapエスカレーターRolltreppeرواں زینہescalatorescalatorبجلی سے چلنے والی سیڑھی + + فائلfileفائل نام کے ساتھ ایک دستاویزA document with a filename - 工場fabbricafabriekfactory공장εργοστάσιοmonarchausineFabrikA 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. + 공장fabriekεργοστάσιο工場FabrikmonarchafabbricaکارخانهusinefactoryA 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 + transportsysteemFördersystemنقل و حمل کے نظامsystème convoyeurconveyor system - obra escritaskriftligt værkgeschreven werkwritten workobair scríofaœuvre écritegeschriebenes ErzeugnisWritten 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). + obra escritaskriftligt værkgeschreven werkgeschriebenes Erzeugnisobair scríofaتحریری کامtravail écritwritten workWritten work is any text written to read it (e.g.: books, newspaper, articles)Un travail écrit est tout texte écrit destiné à être lu (ex. : livres, journaux, articles, document)تحریری کام کسی بھی متن کو پڑھنے کے لیے لکھا جاتا ہے (مثال کے طور پر: کتابیں ، اخبار ، مضامین)Ein geschriebenes Erzeugnis ist jede Art von Text der geschrieben wurde um ihn zu lesen (z.B. Bücher, Zeitungen, Artikel). + + Quoteاقتباس - 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 + wereldkampioen snookerSnookerweltmeistercuradh domhanda sa snúcarسنوکر کا فاتحsnooker world championAn athlete that plays snooker and won the world championship at least onceEin Sportler der Snooker spielt und mindestens einmal die Weltmeisterschaft gewonnen hatکھیلوں کی ٹیموں یا انفرادی کھلاڑیوں کا ایک گروہ جو ایک مخصوص کھیل میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں + + Sidste dages helgenقديس اليوم الأخيرबाद के दिन संतنارمن فرقے کا عيسائیAzken eguneko santuaSaint des derniers joursLatter Day Saint - 大使embajadorambasciatoreambassadeurambassador대사 (외교관)πρεσβευτήςambasadóirambassadeurBotschafterembaixadorAn 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; + embajador대사 (외교관)ambassadeurπρεσβευτής大使BotschafterambasadóirambasciatoreسفیرembaixadorambassadeurambassadorAn 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; - 議会parlamentoparlementparliamentκοινοβούλιοparlaimintparlementParlament + parlamentoparlementκοινοβούλιο議会Parlamentparlaimintمجلس قانون سازparlementparliament + + سازInstrumentتمام آلات موسیقی کو بیان کرتا ہےDescribes all musical instrument - travellatorRollsteigrolpad + travellatorحرکت پذیر پیدل چلنے کا راستہRollsteigrolpad - snooker world rankingSnookerweltranglistewereldranglijst snookerThe official world ranking in snooker for a certain year/seasonDie offizielle Weltrangliste im Snooker eines Jahres / einer Saison + snooker world rankingسنوکر کی عالمی درجہ بندیSnookerweltranglistewereldranglijst snookerThe official world ranking in snooker for a certain year/seasonایک مخصوص سال/سیزن کے لیے سنوکر میں آفیشل عالمی درجہ بندیDie offizielle Weltrangliste im Snooker eines Jahres / einer Saison - venue경기장τόπος συνάντησηςionadlieuVeranstaltungsort + 경기장τόπος συνάντησηςVeranstaltungsortionadپنڈالlieuvenue - ラジオ番組programma radiofonicoradioprogrammaradio programραδιοφωνικό πρόγραμμαclár raidióprogramme de radiodiffusionradio programm + radioprogrammaραδιοφωνικό πρόγραμμαラジオ番組radio programmclár raidióprogramma radiofonicoprogramme de radiodiffusionradio program + + speedway leagueتیز راہ کی انجمنA group of sports teams that compete against each other in motorcycle speedway racing.کھیلوں کی ٹیموں کا ایک گروپ جو موٹرسائیکل سپیڈ وے ریسنگ میں ایک دوسرے سے مقابلہ کرتا ہے۔ + + موٹر سائیکل سوارmotorcycle rider + + eukaryoteخلوی مادہ - kraljevska oseba王室realezalid koningshuisroyalty왕족γαλαζοαίματοςroyautéKönigtum + realeza왕족lid koningshuiskraljevska osebaγαλαζοαίματος王室Königtumشاہیroyautéroyalty - 生物学者bioloogbiologistbiologisteBiologe + bioloog生物学者Biologeماہر حیاتیاتbiologistebiologist + + mean of transportationنقل و حمل کے ذرائع - 砂漠DesiertowoestijndesertoDesertΈρημοςgaineamhlachDésertWüsteA barren area of land where little precipitation occurs.Μία άγονη περιοχή όπου υπάρχει πολύ μικρή βροχόπτωση. + DesiertowoestijnΈρημος砂漠WüstegaineamhlachdesertoریگستانDésertDesertزمین کا بنجر علاقہ جہاں کم بارش ہوتی ہے۔Barren land where there is less rain. + + Historical districtتاریخی ضلعa place which used to be a district.یک ایسی جگہ جو پہلے ضلع ہوتی تھی۔ - バスケットボールチームsquadra di pallacanestrobasketbalteamtime de basquetebasketball team농구 팀Κουτί πληροφοριών συλλόγου καλαθοσφαίρισηςfoireann cispheileéquipe de basketballBasketballmannschaft + 농구 팀basketbalteamΚουτί πληροφοριών συλλόγου καλαθοσφαίρισηςバスケットボールチームBasketballmannschaftfoireann cispheilesquadra di pallacanestrotime de basqueteباسکٹ بال کی جماعتéquipe de basketballbasketball team - sceneggiatorescenarioschrijverscreenwriterσεναριογράφοςscríbhneoir scáileáinscénaristeDrehbuchautorΟ σεναριογράφος όχι μόνο γράφει την υπόθεση μιας σειράς άλλα είναι αυτός που επινοεί και τους πρωταγωνιστές του έργου. + scenarioschrijverσεναριογράφοςDrehbuchautorscríbhneoir scáileáinsceneggiatoreقلم کارscénaristescreenwriterΟ σεναριογράφος όχι μόνο γράφει την υπόθεση μιας σειράς άλλα είναι αυτός που επινοεί και τους πρωταγωνιστές του έργου.قلم کار نہ صرف سیریز کا پلاٹ لکھتا ہے بلکہ ڈرامے کے مرکزی کرداروں کو ایجاد کرنے والا بھی ہوتا ہے + + natural eventقدرتی واقعہمادی تقریب کا استعمال قدرتی طور پر رونما ہونے والے واقعے کو بیان کرنے کے لیے کیا جاتا ہے۔ - 弁護士advocaatLawyerdlíodóirAvocatAnwalta person who is practicing law. + advocaat弁護士AnwaltdlíodóirوکیلAvocatLawyera person who is practicing law.ایک شخص جو قانون پر عمل پیرا ہے - planetaplanet惑星planetaplaneetPlanetaplanetaplanetΠλανήτηςpláinéadplanètePlanet + planetaplanetaplaneetplanetplanetaΠλανήτης惑星PlanetpláinéadPlanetaسیارہplanèteplanet + + muscleپٹھوں + + EntityEntityhttp://www.w3.org/ns/prov#Entityhttp://www.w3.org/ns/prov#Entity + + CommunityبرادریA community is a group of living organisms, people, plants or animals that live in a common environment.کمیونٹی جانداروں، لوگوں، پودوں یا جانوروں کا ایک گروپ ہے جو ایک مشترکہ ماحول میں رہتے ہیں۔ + + مزدوروں کا اتحادtrade unionمزدوروں کا اتحاد مزدوروں کی ایک تنظیم ہے جو کام کے بہتر حالات جیسے مشترکہ اہداف کو حاصل کرنے کے لیے اکٹھے ہوئے ہیںA trade union or labor union is an organization of workers who have banded together to achieve common goals such as better working conditions. - speed skaterEisschnellläuferlangebaanschaatser + speed skaterEisschnellläuferlangebaanschaatserرفتار سکیٹرایک آئس سکیٹر جو مسابقتی طور پر دوڑتا ہے۔ عام طور پر ایک اوول کورس کے ارد گرد + + سرکاری محکمہgovernment agencyایک سرکاری ایجنسی حکومت کی مشینری میں ایک مستقل یا نیم مستقل تنظیم ہے جو مخصوص افعال کی نگرانی اور انتظام کے لیے ذمہ دار ہے ، جیسے کہ ایک انٹیلی جنس ایجنسیA 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. + + humoristظریف - 国会議員diputadogedeputeerdedeputyαναπληρωτήςdéputéStellvertreter + diputadogedeputeerdeαναπληρωτής国会議員Stellvertreterنائبdéputédeputy - regisseurMovie directorstiúrthóir scannáinréalisateur de filmFilmregisseura person who oversees making of film. + regisseurFilmregisseurstiúrthóir scannáinفلم کا ہدایت کارréalisateur de filmMovie directora person who oversees making of film.ایک شخص جو فلم بنانے کی نگرانی کرتا ہے - 家族familiafamiliefamiliefamilyοικογένειαteaghlachfamilleFamilieA group of people related by common descent, a lineage.Μια ομάδα ανθρώπων που συνδέονται με κοινή καταγωγή, μια γενεαλογία. + familiafamiliefamilieοικογένεια家族FamilieteaghlachخاندانfamillefamilyA group of people related by common descent, a lineage.Μια ομάδα ανθρώπων που συνδέονται με κοινή καταγωγή, μια γενεαλογία.عام نسل سے متعلق لوگوں کا ایک گروہ ، ایک نسب + + music directorموسیقی کا رہنماA person who is the director of an orchestra or concert band.ایک شخص جو سازینہ یا موسیقی بجانے والوں کا گروہ کا رہنما ہے + + cultivar (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.کاشتکار ایک پودا یا پودوں کا گروہ ہے جو مطلوبہ خصوصیات کے لیے منتخب کیا جاتا ہے جسے پھیلاؤ کے ذریعے برقرار رکھا جا سکتا ہے۔ ایک پودا جس کی اصل یا انتخاب بنیادی طور پر جان بوجھ کر انسانی سرگرمی کی وجہ سے ہے۔ - año del vuelo espacialvliegjarenyear in spaceflightannée de vols spatiauxZeitraum Raumflug + año del vuelo espacialvliegjarenZeitraum Raumflugخلائی پرواز میں سالannée de vols spatiauxyear in spaceflight - 神社santuarioheiligdomshrineβωμόςsanctuaireschrein + heiligdomβωμός神社schreinsantuarioمزارsanctuaireshrine - vodkawodkavodkavodkaWodka + vodkawodkaWodkaتیز روسی شرابvodkavodka - 人口bevolkingpopulationπληθυσμόςdaonrapopulationBevölkerung + bevolkingπληθυσμός人口Bevölkerungdaonraآبادیpopulationpopulation + + photographerعکسی تصویر اتارنے والا - wieśdorpगाँवdesavillageχωριόsráidbhailevillagedorflugara 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. + dorpwieśχωριόdorfगाँवsráidbhailedesaگاؤںlugarvillagevillagea clustered human settlement or community, usually smaller a townایک انسانی بستی یا برادری کا جھنڈ ، عام طور پر ایک چھوٹا قصبہNúcleo pequeno de poboación en que se divide unha parroquia, con poucos veciños e de carácter rural. - 劇場schouwburgtheatreθέατροamharclannthéâtreTheaterA 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. + schouwburgθέατρο劇場Theateramharclannتماشا گاہthéâtretheatreA 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.ایک تھیٹر یا تھیٹر (ایک پلے ہاؤس بھی) ایک ڈھانچہ ہے جہاں تھیٹر کے کام یا ڈرامے پیش کیے جاتے ہیں یا دیگر پرفارمنس جیسے میوزیکل کنسرٹ تیار کیے جا سکتے ہیں + + prefectureدائرہ اختيارات - ドラマdramadrama드라마δράμαdrámadrameDrama + 드라마dramaδράμαドラマDramadrámaناٹکdramedrama + + خلائی پرواز میں سالyear in spaceflight - winter sport PlayerWintersportspielerwintersporterJoueur de sport d'hiver + wintersporterWintersportspielerسرمائی کھیل کھیلنے والاJoueur de sport d'hiverwinter sport Player + + پرندہbird - 保護地区beschermd gebiedprotected areaπροστατευμένη περιοχήaire protégéeSchutzgebietThis 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 + beschermd gebiedπροστατευμένη περιοχή保護地区Schutzgebietمحفوظ علاقہaire protégéeprotected 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یہ طبقہ 'محفوظ' حیثیت والے علاقوں کو ظاہر کرتا ہے + + cross-country skierکراس کنٹری اسکیئر + + تعمیراتی ڈھانچےarchitectural structureیہ تعمیراتی ڈھانچے مواد سے بنے ہیں۔، آزادانہ ، غیر مستحکم بیرونی تعمیر۔An architectural structure is a human-made, free-standing, immobile outdoor construction (http://en.wikipedia.org/wiki/Architectural_structure). + + life cycle eventدورانیہ حیات وقوعه + + shrineمزار + + hockey teamہاکی کھیل کی جماعت + + آسٹریلوی فٹ بال ٹیمaustralian football Team + + فلمی میلہfilm festival + + حوضTank + + canadian football Playerکینیڈین فٹ بال کھلاڑی - penalty shoot-outpenalty schietenciceanna éiriceElfmeterschießen + penalty schietenElfmeterschießenciceanna éiriceسزا دینے کا عملpenalty shoot-outسزا دینے کا عمل کھیلوں کے میچوں میں فاتح کا تعین کرنے کا ایک طریقہ ہے جو بصورت دیگر نکل دیا جاتا ہے یا برابر ہو جاتا۔ rocket engineraketmotorRaketmotor - 運河canalekanaalcanalcanal운하κανάλιcanáilcanalKanala man-made channel for waterένα κανάλι για νερό φτιαγμένο από άνθρωπο + 운하kanaalκανάλι運河Kanalcanáilcanalecanalنہرcanalcanala man-made channel for waterένα κανάλι για νερό φτιαγμένο από άνθρωπο + + rebbeريبيरेबेerrebeaRabbiRebbe + + مانگاmangaمنگا جاپان میں تخلیق کردہ کامکس ہیںManga are comics created in Japan + + برف کا تودہglacier + + roadسڑک - 雇用者EmpleadorarbejdsgiverwerkgeverEmployerΕργοδότηςfostóirEmployeurArbeitgebera person, business, firm, etc, that employs workers.Arbeitgeber ist, wer die Arbeitsleistung des Arbeitnehmers kraft Arbeitsvertrages fordern kann und das Arbeitsentgelt schuldet.άτομο, επιχείρηση, οργανισμός, κλπ που προσλαμβάνει εργαζόμενους. + EmpleadorarbejdsgiverwerkgeverΕργοδότης雇用者ArbeitgeberfostóirآجرEmployeurEmployera person, business, firm, etc, that employs workers.Arbeitgeber ist, wer die Arbeitsleistung des Arbeitnehmers kraft Arbeitsvertrages fordern kann und das Arbeitsentgelt schuldet.άτομο, επιχείρηση, οργανισμός, κλπ που προσλαμβάνει εργαζόμενους.آجر وہ ہے جو ملازمت کے معاہدے کی وجہ سے ملازم سے کام کا مطالبہ کر سکتا ہے اور جس پر اجرت واجب الادا ہے۔ + + comics characterمُضحِکہ خیزکردار - genere musicalegenre (muziek)género musicalmusic genre음악 장르μουσικό είδοςgenre musicalmusik genre + 음악 장르genre (muziek)μουσικό είδοςmusik genregenere musicalegénero musicalموسیقی کی صنفgenre musicalmusic genre + + priestپجاری - pretparkattractieamusement park attractionδραστηριότητα λούνα πάρκVergnügungsparkattraktionatracción de parque de atraccións + pretparkattractieδραστηριότητα λούνα πάρκVergnügungsparkattraktionتفریحی پارک کی کششatracción de parque de atracciónsparc d'attractionsamusement park attraction + + سبز طحالبgreen alga - rokañoårjaaranoyearέτοςbliainannéeJahr + añoårjaarrokέτοςJahrbliainanoسالannéeyear + + آلہdevice - 司祭pretepriesterpriestπαπάςsagartprêtrepriester + priesterπαπάς司祭priestersagartpreteپجاریprêtrepriest + + national collegiate athletic association athleteقومی اعلی درجے کا مدرسہ کھیل کے متعلق دوستی - congressistcongressman하원 의원βουλευτήςmembre du CongrèsAbgeordneter + 하원 의원congressistβουλευτήςAbgeordneterمجلس کے شرکاءmembre du Congrèscongressman - music composercompositeurcomponistKomponista person who creates music. + componistKomponistموسیقی بنانے والاcompositeurmusic composera person who creates music.ایک شخص جو موسیقی تخلیق کرتا ہے + + overseas departmentبیرون ملک کے محکمے - スポーツDeportesportesportesport스포츠ΑθλήματαspórtВид спортаsportSportartA sport is commonly defined as an organized, competitive, and skillful physical activity. + Deporte스포츠sportВид спортаΑθλήματαスポーツSportartspórtesporteکھیلsportsportA sport is commonly defined as an organized, competitive, and skillful physical activity.ایک ساختی سرگرمی ، جو عموما لطف اندوز ہونے کے لیے کی جاتی ہے اور بعض اوقات تعلیمی آلے کے طور پر استعمال ہوتی ہے۔ +. - back sceneBackround-Chorachtergrond koor + achtergrond koorBackround-Chorپس_منظرArrière-scèneback sceneComposer, producer, and backstage people.نَغمہ سَاز، پیش کرنے والا، اور پس پردہ لوگTout compositeur de texte, producteur, arrangeur, ingénieur et personnel d'arrière scène. - 神経zenuwnerveνεύροnéarógnerfNerv + zenuwνεύρο神経Nervnéarógاعصابnerfnerve - comic stripstripverhaal (Amerikaanse wijze)Comicstrip + stripverhaal (Amerikaanse wijze)Comicstripمزاحیہ خاکےBande dessinéecomic strip + + Protocolرابطے کا ضابطہ - escuela de sambasamba schoolescola de sambasamba schoolσχολή σάμπαSambaschule + escuela de sambasamba schoolσχολή σάμπαSambaschuleescola de sambaبرازیلی رقص سکولécole de sambasamba school + + arachnidعنکباتحیوانیات میں اِس خاندان کا نام جِس میں مکڑی اور بچھو وغیرہ شامِل ہیں + + سجاوٹایک شے ، جیسے تمغہ یا آرڈر ، جو وصول کنندہ کو عزت سے نوازنے کے لیے دیا جاتا ہے۔ - ホテルhotelalbergohotelhotel호텔ξενοδοχείοóstánhôtelHotel + 호텔hotelhotelξενοδοχείοホテルHotelóstánalbergoسرائےhôtelhotel + + موٹر کار کی دوڑGrand Prix + + Conceptتصور - modeontwerperfashion designerσχεδιαστής μόδαςdearthóir faisinModedesigner + modeontwerperσχεδιαστής μόδαςModedesignerdearthóir faisinپوشاک سازstyliste de modefashion designer + + ستار بجانے والاguitarist + + cycling leagueسائیکل سوار کی انجمنکھیلوں کی ٹیموں کا ایک گروپ جو سائیکلنگ میں ایک دوسرے کے خلاف مقابلہ کرتا ہے۔a group of sports teams that compete against each other in Cycling - biblioteka図書館Bibliotecabibliotekbibliotheeklibrary도서관βιβλιοθήκηleabharlannbibliothèqueBibliothek + Biblioteca도서관bibliotekbibliotheekbibliotekaβιβλιοθήκη図書館Bibliothekleabharlannکتب خانہbibliothèquelibrary + + ریڑھ کی ہڈی کے بغیر جانورmollusca + + manhwaمنحواKorean term for comics and print cartoonsمزاحیہ اور پرنٹ کارٹونز کے لیے کورین اصطلاح + + بیس بال کا موسمbaseball season + + برفانی ہاکی کا کھلاڑیice hockey player + + comicمزاحیہ + + chemical elementکیمیائی عنصر - オルガンorgelorganόργανοOrgueOrgelAll types and sizes of organsΌλα τα είδη και τα μεγέθη των οργάνων + orgelόργανοオルガンOrgelعضوOrgueorganاعضاء کی تمام اقسام اور سائزAll types and sizes of organsΌλα τα είδη και τα μεγέθη των οργάνων - 専門職beroepprofessionεπάγγελμαgairmmétierBeruf + beroepεπάγγελμα専門職Berufgairmپیشہmétierprofession + + Featureجی ایم ایل: خصوصیت - モデル_(職業)(foto)modelmodel모델μοντέλοmainicínmannequinmodel + 모델(foto)modelμοντέλοモデル_(職業)modelmainicínنمائش کرنے والاmannequinmodel - 靭帯bindweefselligamentoligamentσύνδεσμοςBand (Anatomie) + bindweefselσύνδεσμος靭帯Band (Anatomie)ligamentoبندهنligamentligament + + موٹر سائیکل دوڑانے والاmotocycle racer + + فہرستlistاشیاء کی عمومی فہرستA general list of items. + + natural placeقدرتی جگہقدرتی جگہ کائنات میں قدرتی طور پر پائے جانے والے تمام مقامات پر محیط ہے۔The natural place encompasses all places occurring naturally in universe. + + وزراء کی کابینہcabinet of ministersکابینہ اعلی درجے کے ریاستی عہدیداروں کا ایک ادارہ ہے ، عام طور پر ایگزیکٹو برانچ کے اعلی رہنماؤں پر مشتمل ہوتا ہے۔A cabinet is a body of high-ranking state officials, typically consisting of the top leaders of the executive branch. + + جانورanimal + + amphibianجل تھلیاخشکی اور تری دونوں کا وہ جانور جوخشکی اور پانی دونوں میں رہے + + snooker playerسنوکر کے کھلاڑی + + college coachکھیل سکھانے والا + + songwriterنغمہ نگارa person who writes songs.ایک شخص جو گانے لکھتا ہے۔ - CipherGeheimschriftШифр + CipherGeheimschriftخفیہ_پیغامШифр + + Concentration campحراستی کیمپcamp 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کیمپ جس میں لوگوں کو قید یا قید کیا جاتا ہے، عام طور پر بڑے گروہوں میں، بغیر کسی مقدمے کے۔ +ارتکاز، قتل، نقل و حمل، حراست، نظربند، (زبردستی) مزدوری، جنگی قیدی، گلاگ شامل ہیں۔ ہولوکاسٹ سے متعلق نازی کیمپ - BobsleighAthletebobsleeërBobsportler + BobsleighAthleteبوبسلیگ کھلاڑیbobsleeërBobsportler - aktywność活動actividadaktivitetattivitàactiviteit活動atividadeactivity활동ΔραστηριότηταgníomhaíochtactivitéAktivitätactividade + actividad활동aktivitetactiviteitaktywnośćΔραστηριότητα活動Aktivitätgníomhaíochtattivitàatividade活動سرگرمیactividadeactivitéactivity + + متحرک فلمmoving imageایک بصری دستاویز جس کا مقصد متحرک ہونا ہےA visual document that is intended to be animated; equivalent to http://purl.org/dc/dcmitype/MovingImage + + گمٹیلا پوداGnetophytes - Stadtviertelcity districtquartierstadswijkDistrict, borough, area or neighbourhood in a city or town + stadswijkStadtviertelشہر کا ضلعquartiercity districtDistrict, borough, area or neighbourhood in a city or townکسی شہر یا قصبے میں ضلع کا علاقہ یا محلہ۔ + + مینارtowerمینار ایک قسم کا ڈھانچہ ہے (ضروری نہیں کہ کوئی عمارت) جو باقی سے اونچی ہو۔A Tower is a kind of structure (not necessarily a building) that is higher than the rest + + speedway riderتیز راہ سوار - ワイナリーcasa vinicolawijnmakerijwineryοινοποιείοfíonlannétablissement vinicoleWeinkellerei + wijnmakerijοινοποιείοワイナリーWeinkellereifíonlanncasa vinicolaشراب خانہétablissement vinicolewinery - national football league eventNFL Game day + national football league eventNFL Game dayقومی فٹ بال انجمن تقریب + + currencyسکہ رائج الوقت - platenlabelrecord labelδισκογραφικήlipéad ceoillabel discographiquePlattenlabel + platenlabelδισκογραφικήPlattenlabellipéad ceoillabel discographiquerecord label - metrostationsubway stationστάση μετρόstation de métroU-Bahn StationΗ στάση μετρό χρησιμοποιείται συνήθως για μια τοποθεσία ή σημείο όπου σταματάει το μεταφορικό μέσο μετρό + metrostationστάση μετρόU-Bahn Stationزمین دوز برقی ریل کا اڈہstation de métrosubway stationΗ στάση μετρό χρησιμοποιείται συνήθως για μια τοποθεσία ή σημείο όπου σταματάει το μεταφορικό μέσο μετρό + + mythological figureافسانوی شکل - 声優stemacteurvoice actor성우acteur de doublageSynchronsprecher + 성우stemacteur声優Synchronsprecherآوازکا اداکارacteur de doublagevoice actor - 近代オリンピックJuegos OlímpicosOlympische Spelenolympics올림픽ολυμπιακοί αγώνεςNa Cluichí OilimpeachaJeux OlympiquesOlympiade + Juegos Olímpicos올림픽Olympische Spelenολυμπιακοί αγώνες近代オリンピックOlympiadeNa Cluichí OilimpeachaاولمپکسJeux Olympiquesolympics + + ٹرام گاڑی کا اڈاtram station - 攻撃aanval, aanslagattackattaque, attentatAngriff, AnschlagAn Attack is not necessarily part of a Military Conflict + aanval, aanslag攻撃Angriff, Anschlagحملہattaque, attentatattackحملہ لازمی طور پر فوجی تصادم کا حصہ نہیں ہے۔ + + ancient area of jurisdiction of a person (feudal) or of a governmental bodyکسی شخص (جاگیردار) یا سرکاری ادارے کے دائرہ اختیار کا قدیم علاقہgebied 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زیادہ تر اختیارات کی جاگیردارانہ شکلوں کے لیے ، لیکن مرکزی اختیار کی تاریخی شکلوں کے لیے بھی کام کر سکتا ہے - katkatcatchatKatze + katkatKatzeبلیchatcat + + چھوٹا نوابbaronet + + snooker world rankingسنوکر کی عالمی درجہ بندیایک مخصوص سال/سیزن کے لیے سنوکر میں آفیشل عالمی درجہ بندی + + بینکbankایک تِجارتی اِدارہ جس کی اہم خدمات بینکنگ یا مالیاتی خدمات ہیںa company which main services are banking or financial services. + + تیغ زنfencer - カナディアン・フットボール・リーグlega di football canadesecanadian football competitieliga de fútbol canadiense캐나다 풋볼 리그καναδική ένωση ποδοσφαίρουligue de football canadienKanadische FootballligaA group of sports teams that compete against each other in canadian football league.ένα σύνολο αθλητικών ομάδων που ανταγωνίζονται μεταξύ τους στην Καναδική ένωση ποδοσφαίρου + 캐나다 풋볼 리그canadian football competitieκαναδική ένωση ποδοσφαίρουカナディアン・フットボール・リーグKanadische Footballligalega di football canadeseکینیڈین فٹ بال لیگligue de football canadienliga de fútbol canadienseA group of sports teams that compete against each other in canadian football league.کھیلوں کی ٹیموں کا ایک گروپ جو کینیڈین فٹ بال لیگ میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں۔.ένα σύνολο αθλητικών ομάδων που ανταγωνίζονται μεταξύ τους στην Καναδική ένωση ποδοσφαίρου - periode in de prehistorieprehistorical periodπροϊστορική περίοδοtréimhse réamhstaireprähistorisch Zeitalter + periode in de prehistorieπροϊστορική περίοδοprähistorisch Zeitaltertréimhse réamhstaireتاریخ سے پہلے کے زمانے کا دورère préhistoriqueprehistorical period - ブルワリーcerveceríabirrificiobrouwerijbreweryζυθοποιίαbrasserieBrauereiΖυθοποιία ονομάζεται η βιομηχανία παρασκευής μπύρας. + cerveceríabrouwerijζυθοποιίαブルワリーBrauereibirrificioکَشید گاہbrasseriebreweryΖυθοποιία ονομάζεται η βιομηχανία παρασκευής μπύρας. + + soccer league seasonانجمن فٹ بال موسم + + باغgardenباغ ایک منصوبہ بند جگہ ہے ، عام طور پر باہر ، ڈسپلے ، کاشت ، اور پودوں اور فطرت کی دیگر اقسام سے لطف اندوز ہونے کے لیے + (http://en.wikipedia.org/wiki/Garden)A 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) - jedzenie食品alimentomadvoedselcomidaFood음식φαγητόbianourritureLebensmittelFood 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. + alimento음식madvoedseljedzenieφαγητό食品LebensmittelbiacomidaخوراکnourritureFoodFood 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.کھانا کوئی بھی کھانے یا پینے کے قابل مادہ ہے جو عام طور پر انسان استعمال کرتے ہیں۔ + + hot springگرم موسم بہار + + تفریح گاہparkA park is an area of open space provided for recreational use. http://en.wikipedia.org/wiki/Parkپارک کھلی جگہ کا ایک علاقہ ہے جو تفریحی استعمال کے لیے فراہم کی جاتی ہے۔ - sangcanzoneliedsong노래τραγούδιamhránchansonlied + 노래sangliedτραγούδιliedamhráncanzoneگاناchansonsong + + ارضیاتی دورانیہgeological period + + adult (pornographic) actorبالغ اداکارA pornographic actor or actress or a porn star is a person who performs sex acts in film, normally characterised as a pornographic film.ایک فحش اداکار یا اداکارہ یا پورن سٹار وہ شخص ہوتا ہے جو فلم میں جنسی حرکتیں کرتا ہے، عام طور پر اسے فحش فلم کے طور پر دیکھا جاتا ہے۔ + + screenwriterقلم کارقلم کار نہ صرف سیریز کا پلاٹ لکھتا ہے بلکہ ڈرامے کے مرکزی کرداروں کو ایجاد کرنے والا بھی ہوتا ہے + + 브로드캐스트 네트워크omroeporganisatiesieć emisyjnaδίκτυο ραδιοφωνικής μετάδοσηςネットワーク_(放送)Sendergruppelíonra craolacháinemittenteبراڈکاسٹ نیٹ ورکchaîne de télévision généralistebroadcast 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)براڈکاسٹ نیٹ ورک ایک تنظیم ہے ، جیسے کارپوریشن یا دیگر ایسوسی ایشن ، جو ریڈیو یا ٹیلی ویژن اسٹیشنوں کے گروپ پر نشر کرنے کے لیے لائیو یا ریکارڈ شدہ مواد ، جیسے فلمیں ، نیوز کاسٹ ، کھیل اور عوامی امور کے پروگرام مہیا کرتی ہے۔ +)Ένα δίκτυο μετάδοσης είναι μια οργάνωση, όπως μια εταιρεία ή άλλη ένωση, που παρέχει ζωντανό ή μαγνητοσκοπημένο περιεχόμενο, όπως ταινίες, δελτία ειδήσεων, αθλητικά, και τα προγράμματα δημοσίων υποθέσεων για την εκπομπή πάνω από μια ομάδα ραδιοφωνικών ή τηλεοπτικών σταθμών - Mathematical conceptmathematisches Konzeptwiskundig conceptMathematical concepts, e.g. Fibonacci numbers, Imaginary numbers, Symmetry + wiskundig conceptmathematisches Konzeptریاضیاتی تصورconcept mathématiqueMathematical conceptMathematical concepts, e.g. Fibonacci numbers, Imaginary numbers, Symmetryریاضی کے تصورات، جیسے فبونیکی نمبرز، خیالی نمبرز، سمیٹریConcepts mathématiques tels que les nombres de Fibonacci, les nombres imaginaires, la symétrie - sports clubSportvereinsportclub + sportclubSportvereinکھیلوں کی تنظیمclub de sportsports club + + populationآبادی - 戯曲obra de teatrotoneelstukplayπαιχνίδιdrámapièce de théâtreTheaterstückA 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.Ένα παιχνίδι είναι μια μορφή της λογοτεχνίας, γραμμένο από έναν συγγραφέα, που συνήθως αποτελείται από σενάριο του διαλόγου μεταξύ των χαρακτήρων, που προορίζεται για την θεατρική παράσταση και όχι μόνο ανάγνωση. + obra de teatrotoneelstukπαιχνίδι戯曲Theaterstückdrámaتماشہpièce de théâtreplayA 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. + hoofdstad van regioHauptstadt der Regionعلاقے کا دارالحکومتCapitale régionaleCapital of regionseat of a first order administration division.فرسٹ آرڈر ایڈمنسٹریشن ڈویژن کی نشست۔ + + motorrace competitieMotorradrennen Ligaموٹر سائیکل ریسنگ لیگligue de courses motocyclistemotorcycle racing leaguea group of sports teams or bikerider that compete against each other in Motorcycle Racingکھیلوں کی ٹیموں یا بائیک سواروں کا ایک گروپ جو موٹر سائیکل ریسنگ میں ایک دوسرے سے مقابلہ کرتے ہیں + + بالنگ_ٹیموں_کی_انجمنbowling leagueکھیلوں کی ٹیموں یا کھلاڑیوں کا ایک گروہ جو بولنگ میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں۔a group of sports teams or players that compete against each other in Bowling - album (wydawnictwo muzyczne)アルバムalbumalbumalbumalbum照片集álbumalbum앨범albumalbamalbumAlbumálbum + album앨범albumalbumalbum (wydawnictwo muzyczne)albumアルバムAlbumalbamalbumálbum照片集تصویروں اور دستخط کی کتابálbumalbumalbum + + sculptorمجسمہ ساز + + colourرنگColor 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.رنگ یا رنگ بصری ادراکی املاک ہے جو انسانوں میں سرخ ، پیلے ، نیلے اور دیگر نامی زمروں کے مطابق ہے۔ رنگ روشنی کے سپیکٹرم سے حاصل ہوتا ہے (روشنی کی تقسیم بمقابلہ طول موج) آنکھوں میں روشنی کے رسیپٹروں کی سپیکٹرمل حساسیت کے ساتھ تعامل کرتا ہے۔ - お笑いグループcabaretgroepComedy Group코미디 그룹Komikergruppe + 코미디 그룹cabaretgroepお笑いグループKomikergruppeمزاحیہ گروہComedy Group - 陸上競技選手giocatore di atletica leggeraatleetathletics playerlúthchleasaíAthlet + atleet陸上競技選手Athletlúthchleasaígiocatore di atletica leggeraپھُرتیلاکھلاڑیathletics player + + چینی درخت پنکھے کے جیسے پتوں والا + + خلیجbay + + multi volume publicationکثیر حجم کی اشاعت + + والی بال کی تربیت کرنے والاvolleyball coach - ファイルbestandfileΑρχείοcomhadfichierDateiA document with a filenameΈνα σύνολο από στοιχεία ή πόρους που μπορούν να χρησιμοποιηθούν για επεξεργασία και παραγωγή πληροφορίας + bestandΑρχείοファイルDateicomhadفائلfichierfileA document with a filenameفائل نام کے ساتھ ایک دستاویزΈνα σύνολο από στοιχεία ή πόρους που μπορούν να χρησιμοποιηθούν για επεξεργασία και παραγωγή πληροφορίας - 会議vergaderingmeetingσυνάντησηcruinniúréunionTreffenA regular or irregular meeting of people as an event to keep record of + vergaderingσυνάντηση会議TreffencruinniúملاقاتréunionmeetingA regular or irregular meeting of people as an event to keep record ofریکارڈ رکھنے کے لیے ایک تقریب کے طور پر لوگوں کی باقاعدہ یا بے قاعدہ ملاقات + + speed skaterرفتار سکیٹرایک آئس سکیٹر جو مسابقتی طور پر دوڑتا ہے۔ عام طور پر ایک اوول کورس کے ارد گرد + + نَسبہ کا مقامGeneLocation + + results of a sport competitionکھیلوں کے مقابلے کا نتیجہ - 彫刻sculturabeeldhouwwerkSculptureΓλυπτικήsculptureSkulpturSculpture 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. + beeldhouwwerkΓλυπτική彫刻SkulptursculturaمجسمہsculptureSculptureSculpture 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.مجسمہ تین جہتی فَن کا کام ہے جو سخت مواد کی تشکیل یا امتزاج سے بنایا گیا ہے، عام طور پر پتھر جیسے سنگ مرمر، دھات، شیشہ، یا لکڑی، یا پلاسٹک کے مواد جیسے مٹی، ٹیکسٹائل، پولیمر اور نرم دھات۔ - kernenergiecentraleNuclear Power plantΠυρηνικός Σταθμός Παραγωγής Ενέργειαςstáisiún núicléachcentrale nucléaireKernkraftwerk + kernenergiecentraleΠυρηνικός Σταθμός Παραγωγής ΕνέργειαςKernkraftwerkstáisiún núicléachایٹمی بجلی گھرcentrale nucléaireNuclear Power plant + + ہڈیbone - boroughTeilgemeindeparroquiadeelgemeenteAn administrative body governing a territorial unity on the lowest level, administering part of a municipality + deelgemeenteTeilgemeindeذیلی بلدیہparroquiaboroughAn administrative body governing a territorial unity on the lowest level, administering part of a municipalityایک انتظامی ادارہ جو ایک علاقائی اتحاد کو نچلی سطح پر چلاتا ہے، بلدیہ کے حصے کا انتظام کرتا ہے + + cycling teamسائیکلنگ جماعت + + crustaceanخول دارجانور + + auto racing leagueگاڑیوں کی ریسوں کی انجمنa group of sports teams or individual athletes that compete against each other in auto racingکھیلوں کی ٹیموں یا انفرادی کھلاڑیوں کا ایک گروپ جو آٹو ریسنگ میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں + + ٹرین کی بوگیtrain carriage + + conventionمجلس - deaneryDekanatκοσμητείαproosdijThe intermediate level of a clerical administrative body between parish and diocese + proosdijκοσμητείαDekanatعمید کا عہدہdeaneryThe intermediate level of a clerical administrative body between parish and dioceseگرجا گھر کا حلقہ اور بشپ کے دائرہ اختیار کا حلقہ کے مابین علمی انتظامی ادارے کی انٹرمیڈیٹ سطح۔ + + RevisionRévisionhttp://www.w3.org/ns/prov#Revisionhttp://www.w3.org/ns/prov#Revision + + برطانوی بادشاہیBritish royalty + + collection of valuablesقیمتی اشیاء کا مجموعہCollection of valuables is a collection considered to be a work in itself)قیمتی اشیاء کا مجموعہ ایک ایسا مجموعہ ہے جو اپنے آپ میں ایک کام سمجھا جاتا ہے۔ - linia lotnicza航空会社compañía aereaflyselskabcompagnia aerealuchtvaartmaatschappij航空公司airline항공사αεροπορική εταιρείαaerlínecompagnie aérienneFluggesellschaftcompañía aérea + compañía aerea항공사flyselskabluchtvaartmaatschappijlinia lotniczaαεροπορική εταιρεία航空会社Fluggesellschaftaerlínecompagnia aerea航空公司ہوائی راستہcompañía aéreacompagnie aérienneairlineہوائی جہازوں کے ذریعے سواریاں لے جانے والی تنظیم - volleybal competitievolleyball leagueΟμοσπονδία Πετοσφαίρισηςligue de volleyballVolleyball-LigaA group of sports teams that compete against each other in volleyball. + volleybal competitieΟμοσπονδία ΠετοσφαίρισηςVolleyball-Ligaوالی بال کی انجمنligue de volleyballvolleyball leagueA group of sports teams that compete against each other in volleyball.کھیلوں کی ٹیموں کا ایک گروپ جو والی بال میں ایک دوسرے سے مقابلہ کرتے ہیں - 媒体mediamediaμέσα ενημέρωσηςmeáinMedienstorage and transmission channels or tools used to store and deliver information or data + mediaμέσα ενημέρωσης媒体Medienmeáinمواصلاتmédiamediastorage and transmission channels or tools used to store and deliver information or dataذخیرہ اور منتقلی چینلز یااوزار جو معلومات یا ڈیٹا کو ذخیرہ کرنے اور پہنچانے کے لیے استعمال ہوتے ہیں۔canaux d'enregistrement et de transmission ou outils utilisés pour enregistrer et fournir des informations ou des données + + basketball leagueباسکٹ بال کی انجمنa group of sports teams that compete against each other in Basketballکھیلوں کی ٹیموں کا ایک گروپ جو باسکٹ بال میں ایک دوسرے سے مقابلہ کرتا ہے + + غولSwarm - kaapcapecap + kaapcapecapخشکی کا وہ حصہ جو سمندر کے اندر تک چلا گیا ہو - グランプリgran premiogrand prixGrand Prixγκραν πριGrand Prixgrand prixgrosser Preis + grand prixγκραν πριグランプリgrosser PreisGrand Prixgran premioموٹر کار کی دوڑgrand prixGrand Prix - bergpasdesfiladeiromountain passΠέρασμα βουνούcol de montagneBergpassa path that allows the crossing of a mountain chain. It is usually a saddle point in between two areas of higher elevation + bergpasΠέρασμα βουνούBergpassdesfiladeiroدرہcol de montagnemountain passa path that allows the crossing of a mountain chain. It is usually a saddle point in between two areas of higher elevationایک راستہ جو پہاڑی سلسلہ کو عبور کرنے کی اجازت دیتا ہے۔ یہ عام طور پر اونچی اونچائی کے دو علاقوں کے درمیان ایک سیڈل پوائنٹ ہوتا ہے - 仕事arbejdewerkobraworkδημιουργίαobairœuvreWerk + arbejdewerkδημιουργία仕事WerkobairobraکامœuvreworkItem on which time has been spent for its realisation. Actor can be a human on not (machine, insects, nature...)Elément sur lequel on a passé du temps pour le réaliser. L'acteur peut être humain (homme) ou pas (machine, insectes, nature, ...)وہ شے جس پر اس کی تکمیل کے لیے وقت صرف کیا گیا ہو۔ اداکار انسان نہیں ہو سکتا (مشین، کیڑے، فطرت + + classical music compositionروایتی موسیقی کی ترکیبکلاسیکی موسیقی کی تشکیل کمپیوٹر پر خصوصی پروگراموں کی مدد سے کی جاسکتی ہے جو ایک مخصوص الگورتھم استعمال کرتے ہیں۔ - 氷河ghiacciaiogletsjergeleiraglacierπαγετώναςoighearshruthglacierGletscherΠαγετώνες ονομάζονται μεγάλες μάζες πάγου συνήθως κινούμενες λόγω συμπίεσης του χιονιού. + gletsjerπαγετώνας氷河Gletscheroighearshruthghiacciaiogeleiraبرف کا تودہglacierglacierΠαγετώνες ονομάζονται μεγάλες μάζες πάγου συνήθως κινούμενες λόγω συμπίεσης του χιονιού. + + olympicsاولمپکس - ロケットraketrocket로켓πύραυλοςroicéadfuséeRakete + 로켓raketπύραυλοςロケットRaketeroicéadfuséerocket + + single listایک فہرستliste de singlesA list of singlesاِنفرادی فہرستListe de singles (disques 45 tours) + + کاروباری شخصbusinesspersonاصطلاح کاروباری کا بنیادی طور پر مطلب وہ شخص ہے جو اعلی عہدے پر فائز ہو ، جیسے ایگزیکٹو۔The term entrepreneur mainly means someone who holds a senior position, such as an executive. + + سفیرambassadorایک غیر ملکی حکومت سے منظور شدہ اعلیٰ ترین عہدے کا سفارتی کارندہAn 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. + + دیا گیا نامfirst name - 紋章記述blazoen (wapenschild)BlazonοικόσημοBlasonWappen + blazoen (wapenschild)οικόσημο紋章記述Wappenآب و تابBlasonBlazon - 貴種aristócrataaristocraataristocratuaslathaíaristocrateAristokrat + aristócrataaristocraat貴種Aristokratuaslathaíاشرافیہaristocratearistocrat - 鳥類pájarofugluccellovogelbirdπτηνόéanoiseauVogel + pájarofuglvogelπτηνό鳥類Vogeléanuccelloپرندہoiseaubird - societal eventévènement collectifgesellschatliches Ereignismaatschappelijke gebeurtenisan event that is clearly different from strictly personal events + maatschappelijke gebeurtenisgesellschatliches Ereignisمعاشرتی واقعہévènement collectifsocietal eventan event that is clearly different from strictly personal eventsایک ایسا واقعہ جو سختی سے ذاتی واقعات سے واضح طور پر مختلف ہو + + چڑیا گھرzoo - DBpedian + DBpedianDBpédienڈی بی پیڈین - Outbreak + Outbreakہنگامہ + + soccer managerفٹ بال منتظم - ImpfstoffvaccinevaccinvaccinDrugs that are a vaccine‎Medikamente welche Impfstoffe sind + vaccinImpfstoffویکسینvaccinvaccineDrugs that are a vaccine‎وہ دوائیں جو ایک ویکسین ہیں‎Medikamente welche Impfstoffe sind + + newspaperاخبارA 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.اخبار ایک باقاعدہ شیڈول اشاعت ہے جس میں موجودہ واقعات، معلوماتی مضامین، متنوع خصوصیات اور اشتہارات کی خبریں ہوتی ہیں۔ یہ عام طور پر نسبتاً سستے، کم درجے کے کاغذ پر پرنٹ کیا جاتا ہے جیسے نیوز پرنٹ۔ - golfspillergolfspelergolf playerπαίκτης γκολφimreoir gailfgolfeurGolfspieler + golfspillergolfspelerπαίκτης γκολφGolfspielerimreoir gailfگالف کا کھلاڑیgolfeurgolf player - ボーリングリーグliga de boloslega di bowlingbowling competitiebowling league볼링 리그πρωτάθλημα μπόουλινγκsraith babhlálaligue de bowlingBowling-Ligaa group of sports teams or players that compete against each other in BowlingΜία διοργάνωση ομάδες ανθρώπων ή μεμονομένα άτομα συναγωνίζονται στο άθλημα του μπόουλινγκ, συνήθως με ένα έπαθλο στους πρωταθλητές. + liga de bolos볼링 리그bowling competitieπρωτάθλημα μπόουλινγκボーリングリーグBowling-Ligasraith babhlálalega di bowlingبالنگ_ٹیموں_کی_انجمنligue de bowlingbowling leaguea group of sports teams or players that compete against each other in BowlingΜία διοργάνωση ομάδες ανθρώπων ή μεμονομένα άτομα συναγωνίζονται στο άθλημα του μπόουλινγκ, συνήθως με ένα έπαθλο στους πρωταθλητές.کھیلوں کی ٹیموں یا کھلاڑیوں کا ایک گروہ جو بولنگ میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں۔ - 聖人heiligesaint성인Πληροφορίες ΑγίουnaomhsaintHeilige + 성인heiligeΠληροφορίες Αγίου聖人Heiligenaomhولیsaintsaint - historische periodehistorical periodιστορική περίοδοςtréimhse sa stairhistorische PeriodeA historical Period should be linked to a Place by way of the property dct:spatial (already defined) + historische periodeιστορική περίοδοςhistorische Periodetréimhse sa stairتاریخی دورpériode historiquehistorical periodA historical Period should be linked to a Place by way of the property dct:spatial (already defined)Une période historique doit être liée à un lieu au moyen de la propriété dct:spatial (déjà définie)یک تاریخی ادوار کو جائیداد کے ذریعے کسی جگہ سے جوڑا جانا چاہیے۔ + + مچھلیfish + + مکے بازboxer + + زیر زمین جریدہunderground journalایک زیر زمین جریدہ ہے، اگرچہ وقت گزرنے کے ساتھ ساتھ ہمیشہ قانون کے ذریعہ اشاعتیں ممنوع رہی ہیں، دوسری عالمی جنگ کے دوران جرمنوں کے زیر قبضہ ممالک کا ایک رجحان۔ زیر زمین پریس میں تحریر کا مقصد نازی قبضے کے خلاف مزاحمت کے جذبے کو مضبوط کرنا ہے۔ زیر زمین جرائد کی تقسیم بہت خفیہ ہونی چاہیے تھی اور اس لیے اس کا انحصار غیر قانونی ڈسٹری بیوشن سرکٹس اور قابضین کی طرف سے ظلم و ستم کے خطرات پر تھاAn 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. + + خلائی اڈہ + + جاگیرManorاسٹیٹ اور/یا (زمینوں کا جھرمٹ) جو جاگیردار کے دائرہ اختیار میں ہیں۔ لہٰذا یہ خود فزیکل اسٹیٹ کے لیے شارٹ ہینڈ اظہار بھی ہے: ایک جاگیر دیہی علاقوں میں آس پاس کے میدانوں کے ساتھ ایک شاندار گھر ہےEstate and/or (cluster of) lands that are under the jurisdiction of a feudal lord. Hence it is also the shorthand expression for the physical estate itself: a manor is a stately house in the countryside with the surrounding grounds - giocatore di squashsquashersquash player스쿼시 선수Squashspieler + 스쿼시 선수squasherSquashspielergiocatore di squashjoueur de squashsquash player - pokerspelerpoker playerπαίχτης του πόκερimreoir pócairjoueur de pokerPokerspieler + pokerspelerπαίχτης του πόκερPokerspielerimreoir pócairپوکر کھلاڑیjoueur de pokerpoker player + + schoolمدرسه - 高度højdehoogtealtitudeυψόμετροairdealtitudeHöhealtitudeΤο υψόμετρο είναι η κάθετη απόσταση ενός αντικειμένου σε σχέση με ένα καθορισμένο επίπεδο αναφοράς. Συνήθως το υψόμετρο μετριέται ως η κάθετη απόσταση (υψομετρική διαφορά) ενός τόπου από το επίπεδο της θάλασσας (Μέση Στάθμη Θάλασσας), ενώ για πιο ακριβείς μετρήσεις χρησιμοποιείται το γεωειδές.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; + højdehoogteυψόμετρο高度HöheairdeبلندیaltitudealtitudealtitudeΤο υψόμετρο είναι η κάθετη απόσταση ενός αντικειμένου σε σχέση με ένα καθορισμένο επίπεδο αναφοράς. Συνήθως το υψόμετρο μετριέται ως η κάθετη απόσταση (υψομετρική διαφορά) ενός τόπου από το επίπεδο της θάλασσας (Μέση Στάθμη Θάλασσας), ενώ για πιο ακριβείς μετρήσεις χρησιμοποιείται το γεωειδές.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 + train carriageٹرین کی بوگیtreinwagon - 記事artikelarticlearticleArtikle + artikel記事Artikleجریدے کا نشر پارہarticlearticle - アニメanimeanimeAnime일본의 애니메이션άνιμεanimeanimeanimeA style of animation originating in JapanGeanimeerd Japans stripverhaalΣτυλ κινουμένων σχεδίων με καταγωγή την ΙαπωνίαDesignación coa que se coñece a animación xaponesa + 일본의 애니메이션animeάνιμεアニメanimeanimeanimeانیمےanimeAnimationAnimeGeanimeerd Japans stripverhaalΣτυλ κινουμένων σχεδίων με καταγωγή την Ιαπωνίαحرکت پذیری کا ایک انداز جاپان میں شروع ہوا۔Designación coa que se coñece a animación xaponesaStyle d'animation né au JaponA style of animation originating in Japan - książkaboglibroবইboekllibrebookβιβλίοleabharкнигаlivreBuch + bogllibreবইboekкнигаksiążkaβιβλίοBuchleabharlibroکتابlivrebook + + Biomoleculeحیاتیاتی مرکباتequivalent to http://ccdb.ucsd.edu/NIF/BIRNLex-OBO-UBO.owl#birnlex_22.ایسے پیچدہ نامیاتی مالیکیولز جو زندگی کی بنیاد ہیں یعنی وہ زندہ اجسام کو تعمیر کرنے ، ان کو نشوونما کرنے اور برقرار رکھنے کے لیے ضروری ہوتے ہیں + + nobleعظیم + + snooker world championسنوکر کا فاتحکھیلوں کی ٹیموں یا انفرادی کھلاڑیوں کا ایک گروہ جو ایک مخصوص کھیل میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں۔ + + ساحل_سمندرbeachپانی کے جسم کا ساحل ، خاص طور پر جب ریت بھرا یا کنکریThe shore of a body of water, especially when sandy or pebbly - 言語idiomasprogtaallanguage언어γλώσσαteangalangageSprachelingua + idioma언어sprogtaalγλώσσα言語Spracheteangaزبانlingualangagelanguage + + comedianمسخرا - restauracjaレストランrestaurantrestaurantεστιατόριοbialannrestaurantRestaurant + restaurantrestauracjaεστιατόριοレストランRestaurantbialannrestaurantrestaurant - geologische periodegeological periodγεωλογική περίοδοςpériode géologiqueAgeologische Periode + geologische periodeγεωλογική περίοδοςgeologische Periodeارضیاتی دورانیہpériode géologiqueAgeological period - old territoryalten Länder + old territoryancien territoirealten Länderپرانا علاقہ - verzameling van kostbaarhedencollection of valuables귀중품의 컬렉션collection d'objetsKunst- und WertsachenversammlungCollection of valuables is a collection considered to be a work in itself)Een verzameling van kostbaarheden, die als een werk beschouwd wordt ). + 귀중품의 컬렉션verzameling van kostbaarhedenKunst- und Wertsachenversammlungقیمتی اشیاء کا مجموعہcollection d'objetscollection of valuablesCollection of valuables is a collection considered to be a work in itself)Een verzameling van kostbaarheden, die als een werk beschouwd wordt ).قیمتی اشیاء کا مجموعہ ایک ایسا مجموعہ ہے جو اپنے آپ میں ایک کام سمجھا جاتا ہے۔ - 教区bisdomdiocese교구επισκοπήdeoisediocèseDiözeseDistrict or see under the supervision of a bishop. + 교구bisdomεπισκοπή教区Diözesedeoiseبشپ کے تحت حلقہdiocèsedioceseDistrict or see under the supervision of a bishop.ڈسٹرکٹ یا ایک بشپ کی نگرانی میں دیکھیں۔ + + congressmanمجلس کے شرکاء + + Organisation memberتنظیم کے رکنA member of an organisation.کسی تنظیم کا ممبر + + Academic Personتعلیمی + + سلسلہ وار ڈرامے کا کردار - ゲームjuegospilspeljogogameΠληροφορίες παιχνιδιούcluichejeuSpiela structured activity, usually undertaken for enjoyment and sometimes used as an educational tool + juegospilspelΠληροφορίες παιχνιδιούゲームSpielcluichejogoکھیلjeugamea structured activity, usually undertaken for enjoyment and sometimes used as an educational toolایک ساختی سرگرمی ، جو عموما لطف اندوز ہونے کے لیے کی جاتی ہے اور بعض اوقات تعلیمی آلے کے طور پر استعمال ہوتی ہے۔ - 立法府legislaturawetgevend orgaanlegislatureνομοθετικό σώμαreachtaspouvoir législatifLegislative + legislaturawetgevend orgaanνομοθετικό σώμα立法府Legislativereachtasمقننہpouvoir législatiflegislature + + horse raceگھوڑا دوڑ میں مقابلہ کرنا - filmgenremovie genreείδος ταινίαςseánra scannáingenre de filmFilmgenre + filmgenreείδος ταινίαςFilmgenreseánra scannáinفلم کی صنفgenre de filmmovie genre - aktor俳優actorskuespillerattoreaktoreaktierisacteur演員atoractor영화인ηθοποιόςaisteoiracteurSchauspieleractorAn 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. + actor영화인skuespilleracteuraktorηθοποιός俳優Schauspieleraisteoirattoreator演員اداکارaktierisactoraktoreacteuractorΜια ηθοποιός ή ένας ηθοποιός είναι ένα άτομο που παίζει σε μια δραματική παραγωγή και που εργάζεται στο χώρο του κινηματογράφου, της τηλεόρασης, του θεάτρου, ή το ραδιόφωνο.Un attore o un attrice è una persona che recita in una produzione teatrale, televisiva, cinematografica o radiofonica.ایک اداکار یا اداکارہ وہ شخص ہوتا ہے جو ڈرامائی پروڈکشن میں کام کرتا ہے اور جو فلم ، ٹیلی ویژن ، تھیٹر یا ریڈیو میں اس صلاحیت کے ساتھ کام کرتا ہےUn actor, se é home, ou unha actriz, se é muller, é unha persoa que representa un papel nunha obra teatral, cinematográfica, radiofónica ou televisiva.An actor or actress is a person who acts in a dramatic production and who works in film, television, theatre, or radio in that capacity. - エジプト学者egyptoloogegyptologistαιγυπτιολόγοςÉigipteolaíégyptologueÄgyptologe + egyptoloogαιγυπτιολόγοςエジプト学者ÄgyptologeÉigipteolaíماہر مصریاتégyptologueegyptologist + + چوہے کے نَسبہ کا مقامMouseGeneLocation - 両生類anfibioamfibieanfíbioamphibian양서류αμφίβιοamfaibiachamphibienAmphibieanfibio + 양서류amfibieαμφίβιο両生類Amphibieamfaibiachanfibioanfíbioجل تھلیاanfibioamphibienamphibianخشکی اور تری دونوں کا وہ جانور جوخشکی اور پانی دونوں میں رہے - golf competitieliga de golfegolf leagueένωση γκολφsraith gailfligue de golfGolfligaGolfplayer that compete against each other in Golf + golf competitieένωση γκολφGolfligasraith gailfliga de golfeگالف کی انجمنligue de golfgolf leagueGolfplayer that compete against each other in Golfگالف پلیئر جو گالف میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں۔ - ピラミッドpyramidePyramidpirimidPyramidePyramidea structure whose shape is roughly that of a pyramid in the geometric sense. + pyramideピラミッドPyramidepirimidمخروطی مصری مینارPyramidePyramida 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 + career stationKarrierestationCarrierestapپیشہ تعیناتthis 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یہ کلاس کسی شخص کی زندگی میں کیریئر کا مرحلہ ہے ، جیسے ایک فٹ بال کھلاڑی ، جس نے کسی مخصوص کلب میں حاصل کردہ ٹائم اسپین ، میچز اور اہداف کے بارے میں معلومات رکھتے ہیں۔ - 超高層建築物wolkenkrabberskyscraper초고층 건물ουρανοξύστηςilstórachgratte-cielHochhaus + 초고층 건물wolkenkrabberουρανοξύστης超高層建築物Hochhausilstórachفلک بوس عمارتgratte-cielskyscraper - 集団grupogruppegruppogroepgroupομάδαgrúpagroupeGruppeAn (informal) group of people.un groupe (informel) de personnes.Μια συνήθως άτυπη ομάδα ανθρώπων. + grupogruppegroepομάδα集団GruppegrúpagruppoگروہgroupegroupAn (informal) group of people.un groupe (informel) de personnes.Μια συνήθως άτυπη ομάδα ανθρώπων.لوگوں کا ایک غیر رسمی گروہ + + Star сlusterستارہ غول + + Outbreakہنگامہ - orden clericalordine clericalekloosterordeclerical orderκληρική τάξηord rialtaordre religieuxklerikaler OrdenEen 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. + orden clericalkloosterordeκληρική τάξηklerikaler Ordenord rialtaordine clericaleعلما کا حکمordre religieuxclerical 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.خانقاہی حکم مذہبی، مردوں یا عورتوں کا ایک حکم ہے، جو ایک مشترکہ عقیدہ اور خانقاہی اصول کے بارے میں متحد ہو گئے ہیں جس کے وہ پابند ہیں، اور ایک ہی مقامی کمیونٹی، ایک خانقاہ یا مندر کے اندر مستقل طور پر ایک ساتھ رہتے ہیں۔ ہم خیال مذہبیوں کی کئی خانقاہیں مل کر ایک خانقاہی ترتیب بناتی ہیں۔ + + بیڈمنٹن کا کھلاڑیbadminton player + + softball leagueسافٹ بال انجمنA group of sports teams that compete against each other in softball.کھیلوں کی ٹیموں کا ایک گروپ جو سافٹ بال میں ایک دوسرے سے مقابلہ کرتا ہے + + بیس بال لیگکھیلوں کی ٹیموں کا ایک گروہ جو بیس بال میں ایک دوسرے کے خلاف مقابلہ کرتا ہے۔. + + jockey (horse racer)پیشہ ور گھڑ سوار - 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. + RoosmolenWindkraftپَوَن چکّی کی طرح کی کّلéolienneWind motorA 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 + life cycle eventدورانیہ حیات وقوعهLebenszyklus Ereigniswordingsgebeurtenis + + boroughذیلی بلدیہAn administrative body governing a territorial unity on the lowest level, administering part of a municipalityایک انتظامی ادارہ جو ایک علاقائی اتحاد کو نچلی سطح پر چلاتا ہے، بلدیہ کے حصے کا انتظام کرتا ہے + + pilotطيارपायलटطیارہ اڑانے والاpilotuapilotePilot + + دورtenure + + خلا بازastronaut + + non-profit organisationغیر منافع بخش تنظیم + + hospitalہسپتال - 薬物geneesmiddeldrugφάρμακοdrugamédicamentDroge + geneesmiddelφάρμακο薬物Drogedrugaنشے کی دواmédicamentdrug + + power stationبجلی گھر + + cantonضِلَعAn administrative (France) or lawcourts (Netherlands) body governing a territorial unity on the municipal level or somewhat aboveایک انتظامی (فرانس) یا قانون کی عدالت (نیدرلینڈز) کا ادارہ جو علاقائی وحدت کا انتظام کرتا ہے بلدیاتی سطح پر یا اس سے کچھ اوپر - torneotoernooitournamentτουρνουάcomórtastournoiTurnier + toernooiτουρνουάTurniercomórtastorneoباہمی مقابلہtournoitournament - 列車trentogtrenotreintrainτρένοtraeintrainZug + trentogtreinτρένο列車Zugtraeintrenoریل گاڑیtraintrain + + religious buildingمذہبی عمارتAn establishment or her location where a group of people (a congregation) comes to perform acts of religious study, honor, or devotion.ایک اسٹیبلشمنٹ یا اس کا مقام جہاں لوگوں کا ایک گروپ (ایک جماعت) مذہبی مطالعہ، عزت، یا عقیدت کے اعمال انجام دینے آتا ہے۔ - 参考文献VerwijzingReferenceαναφοράReferenzReference to a work (book, movie, website) providing info about the subjectVerwijzing naar een plaats in een boek of film + Verwijzingαναφορά参考文献ReferenzRéférenceReferenceReference to a work (book, movie, website) providing info about the subjectRéférence à un travail (livre, film, site web), fournissant des informations sur le sujetVerwijzing naar een plaats in een boek of film - 風車Molinos de vientovindmøllemulino a ventoWindmolenWindmillΑνεμόμυλοςmuileann gaoithemoulin à ventWindmühleA 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. + Molinos de vientovindmølleWindmolenΑνεμόμυλος風車Windmühlemuileann gaoithemulino a ventoہوا کی چکیmoulin à ventWindmillA windmill is a machine that converts the energy of wind into rotational energy by means of vanes called sailsہوا کی چکی ایک مشین ہے جو ہوا کی توانائی کو سیل نامی وینز کے ذریعے گردشی توانائی میں تبدیل کرتی ہےLe moulin à vent est un dispositif qui transforme l’énergie éolienne (énergie cinétique du vent) en mouvement rotatif au moyen d’ailes ajustables. + + cycadکرف نخلی + + salesفروخت - スポーツリーグliga deportivasport competitiesports league스포츠 리그Αθλητική Ομοσπονδίαligue sportiveSportligaA group of sports teams or individual athletes that compete against each other in a specific sport. + liga deportiva스포츠 리그sport competitieΑθλητική ΟμοσπονδίαスポーツリーグSportligaکھیلوں کی انجمنligue sportivesports leagueA group of sports teams or individual athletes that compete against each other in a specific sport.کھیلوں کی ٹیموں یا انفرادی کھلاڑیوں کا ایک گروہ جو ایک مخصوص کھیل میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں۔ + + american football Teamامریکن فٹ بال ٹیم - ボードゲームjuego de mesabrætspilgioco da tavolobordspelboard game보드 게임επιτραπέζιο παιχνίδιjeu de sociétéBrettspielcome 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. + juego de mesa보드 게임brætspilbordspelεπιτραπέζιο παιχνίδιボードゲームBrettspielgioco da tavoloبورڈ کھیلjeu de société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.ایک بورڈ گیم ایک ایسا کھیل ہے جس کے لیے ایک اچھی طرح سے متعین کردہ سطح کی ضرورت ہوتی ہے ، جسے عام طور پر ایک بورڈ کہا جاتا ہے۔ - バドミントン選手giocatore di badmintonbadmintonspelerjogador de badmintonbadminton player배드민턴 선수παίχτης του μπάντμιντονimreoir badmantainjoueur de badmintonBadmintonspieler + 배드민턴 선수badmintonspelerπαίχτης του μπάντμιντονバドミントン選手Badmintonspielerimreoir badmantaingiocatore di badmintonjogador de badmintonبیڈمنٹن کا کھلاڑیjoueur de badmintonbadminton player + + coachتربیت کرنے والا - 通貨muntsoortВалютаcurrency통화νόμισμαairgeadraВалютаdeviseWährung + 통화muntsoortВалютаνόμισμαWährungairgeadraВалютаسکہ رائج الوقتdevisecurrency - programmeringssproglinguaggio di programmazioneprogrammeertaallinguagem de programaçãoprogramming language프로그래밍 언어γλώσσα προγραμματισμούteanga ríomhchlárúcháinlangage de programmationProgrammiersprache + 프로그래밍 언어programmeringssprogprogrammeertaalγλώσσα προγραμματισμούProgrammierspracheteanga ríomhchlárúcháinlinguaggio di programmazionelinguagem de programaçãoپروگرامنگ زبانlangage de programmationprogramming languageایسی زبانیں جو کمپیوٹر کو ہدایات دینے میں معاون ہیں - szachistaチェスプレーヤーgiocatore di scacchischakerchess player체스 선수παίκτης σκάκιimreoir fichillejoueur d'échecsSchachspieler + 체스 선수schakerszachistaπαίκτης σκάκιチェスプレーヤーSchachspielerimreoir fichillegiocatore di scacchiشطرنج کا کھلاڑیjoueur d'échecschess player + + بنیادی ڈھانچہinfrastructure + + موسیقی کی صنفmusic genre - rugbyspelerrugby playerπαίκτης rugbyimreoir rugbaíjoueur de rugbyRugbyspieler + rugbyspelerπαίκτης rugbyRugbyspielerimreoir rugbaíjoueur de rugbyrugby player + + Spyجاسوس - darterdarts player다트 선수παίκτης βελάκιωνDartspieler + 다트 선수darterπαίκτης βελάκιωνDartspielerنيزہ بازjoueur de fléchettesdarts player - osobaOseba人_(法律)personapersonpersonapertsonapersoonشخصpessoapersonΠληροφορίες προσώπουduinepersonneանձPerson + personapersonpersoonOsebaشخصանձosobaΠληροφορίες προσώπου人_(法律)Personduinepersonapessoaشخصpertsonapersonneperson + + ruimtelijk objectObjektraumمقامی تھنگobjet spatialspatial thing - 建築士arquitectoarchitettoarchitectarchitect건축가αρχιτέκτοναςuaslathaíarchitecteArchitekt + arquitecto건축가architectαρχιτέκτονας建築士Architektuaslathaíarchitettoمعمارarchitectearchitect + + novelافسانهA book of long narrative in literary proseادبی نثر میں طویل داستان کی کتاب>http://en.wikipedia.org/wiki/Novel</ref> - Globular Swarmglobulaire zwerm (cluster)KugelschwarmΣφαιρωτό σμήνος + globulaire zwerm (cluster)Σφαιρωτό σμήνοςKugelschwarmکروی غولGlobular Swarm - håndboldligahandbal competitiehandball leagueΟμοσπονδία Χειροσφαίρισηςligue de handballHandball-Ligaa group of sports teams that compete against each other in Handball + håndboldligahandbal competitieΟμοσπονδία ΧειροσφαίρισηςHandball-Ligaہینڈ بال کی انجمنligue de handballhandball leaguea group of sports teams that compete against each other in Handballکھیلوں کی ٹیموں کا ایک گروپ جو ہینڈ بال میں ایک دوسرے کے خلاف مقابلہ کرتا ہے + + playتماشہA 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.ڈرامہ ادب کی ایک شکل ہے جسے ڈرامہ نگار نے لکھا ہے، عام طور پر کرداروں کے درمیان تحریری مکالمے پر مشتمل ہوتا ہے، جس کا مقصد صرف پڑھنے کے بجائے تھیٹر کی کارکردگی کے لیے ہوتا ہے۔ - イヌhundhonddogσκύλοςmadrachienHund + hundhondσκύλοςイヌHundmadraکتاchiendog - political functionpolitische Funktionfonction politiquepolitieke functie + politieke functiepolitische Funktionسیاسی تقریبfonction politiquepolitical function - electrical substationtransformatorhuisjeTransformatorenstation + electrical substationposte électriquetransformatorhuisjeبرقی ذیلی مرکزبرقی ذیلی مرکز وولٹیج کو زیادہ سے کم، یا برعکس میں تبدیل کرتے ہیں۔Substations transform voltage from high to low, or the reverse.poste de transformation abaisseur ou élévateur de tension. - インフラストラクチャーinfrastrukturinfrastructureinfrastructureΥποδομήinfrastructureInfrastruktur + infrastrukturinfrastructureΥποδομήインフラストラクチャーInfrastrukturبنیادی ڈھانچہinfrastructureinfrastructure - 環礁atolloatolatoll환초ατόληatollAtoll + 환초atolατόλη環礁Atollatolloاڈلatollatollمرجانی چٹانوں سے بنا ہواجزیرہ + + historianمورخ - levensloopgebeurtenispersonal eventπροσωπικό συμβάνévènement dans la vie privéeEreignis im persönlichen Lebenan event that occurs in someone's personal lifeένα συμβάν που αφορά την προσωπική ζωή κάποιου + levensloopgebeurtenisπροσωπικό συμβάνEreignis im persönlichen Lebenذاتی تقریبévènement dans la vie privéepersonal eventan event that occurs in someone's personal lifeایک واقعہ جو کسی کی ذاتی زندگی میں پیش آتا ہے۔ένα συμβάν που αφορά την προσωπική ζωή κάποιου - motociclettamotorfietsmotorcycleμοτοσυκλέταgluaisrotharmotoMotorrad + motorfietsμοτοσυκλέταMotorradgluaisrotharmotociclettaموٹر سائیکلmotomotorcycle + + Archer Playerتیر انداز کھلاڑی - 港湾havenPortcaladhPortHafena location on a coast or shore containing one or more harbors where ships can dock and transfer people or cargo to or from land. + haven港湾HafencaladhبندرگاہPortPorta 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 + giocatore di netballnetball playerkorfbalspelerنیٹ بال کھلاڑی + + وادیvalleyپہاڑیوں یا پہاڑوں کے درمیان زمین کا ایک نچلا علاقہ، عام طور پر اس میں سے دریا یا ندی بہتی ہےa depression with predominant extent in one direction + + کھیل ہاکی ٹیموں کی انجمنfield hockey leagueکھیلوں کی ٹیموں کا ایک گروپ جو ہاکی کے میدان میں ایک دوسرے کے خلاف مقابلہ کرتا ہے۔a group of sports teams that compete against each other in Field Hockey - statistischstatisticστατιστικήstaitisticstatistiquestatistisch + statistischστατιστικήstatistischstaitisticشماریاتstatistiquestatistic + + ski jumperہوا میں چھلانگ لگانے والا + + ski areaاسکی کاعلاقہ + + lawقانون + + mammalتھن والے جانور - religious organisationReligionsorganisationkerkelijke organisatieorganización religiosa + organización religiosakerkelijke organisatieReligionsorganisationمذہبی تنظیمorganisation religieusereligious organisationFormal organisation or organised group of believersباضابطہ تنظیم یا مومنین کا منظم گروپOrganisation formelle ou groupe organisé de croyants + + تحریری پروگراموں کا مجموعہsoftware - prefectuurprefectureνομαρχίαpréfecturePräfektur + prefectuurνομαρχίαPräfekturدائرہ اختياراتpréfectureprefecture - misión espacialruimtemissiespace mission우주 임무διαστημική αποστολήmisean spáísmission spatialeWeltraummission + misión espacial우주 임무ruimtemissieδιαστημική αποστολήWeltraummissionmisean spáísخلائی مہمmission spatialespace mission - spoorlijnrailway lineσιδηρόδρομοςlíne iarnróidEisenbahnlinieO σιδηρόδρομος είναι μια υπηρεσία μεταφοράς επιβατών ή εμπορευμάτων με τρένα που παρέχονται από έναν οργανισμό. Δεν πρέπει να συγχέεται με τη σιδηροδρομική γραμμή, τη δομή που αποτελείται από τις ράγες. Στη Βικιπαίδεια δε γίνεται σαφής διαφοροποίηση μεταξύ των δύο, έτσι υπάρχει ένα κουτί πληροφοριών που περιγράφει ράγες και γραμμές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. + spoorlijnσιδηρόδρομοςEisenbahnlinielíne iarnróidlígne de chemin de ferrailway lineA 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.Une ligne de chemin de fer est un service de transport par train qui achemine des passagers ou du fret fourni par une organisation. A ne pas confondre avec le réseau ferré qui est la structure formée par les rails. Wikipedia ne fait pas vraiement la différence entre les deux, il n'y a donc qu'une boîte d'information en même temps pour les lignes et le réseau.O σιδηρόδρομος είναι μια υπηρεσία μεταφοράς επιβατών ή εμπορευμάτων με τρένα που παρέχονται από έναν οργανισμό. Δεν πρέπει να συγχέεται με τη σιδηροδρομική γραμμή, τη δομή που αποτελείται από τις ράγες. Στη Βικιπαίδεια δε γίνεται σαφής διαφοροποίηση μεταξύ των δύο, έτσι υπάρχει ένα κουτί πληροφοριών που περιγράφει ράγες και γραμμέςEine Eisenbahnlinie im Verkehrswesen ist die regelmäßige Bedienung einer bestimmten Eisenbahnstrecke durch öffentliche Verkehrsmittel. - lydgeluidsoundήχοςfuaimLiedAn audio document intended to be listened to; equivalent to http://purl.org/dc/dcmitype/SoundΜεταβολή στην πίεση του ατμοσφαιρικού αέρα που διεγείρει το αισθητήριο όργανο της ακοής μέσω ηχητικών κυμάτων + lydgeluidήχοςLiedfuaimآوازaudiosoundAn audio document intended to be listened to; equivalent to http://purl.org/dc/dcmitype/SoundUn document sonore à écouter; équivalent à http://purl.org/dc/dcmitype/SoundΜεταβολή στην πίεση του ατμοσφαιρικού αέρα που διεγείρει το αισθητήριο όργανο της ακοής μέσω ηχητικών κυμάτωνصوتی لہروں کے ذریعے سماعت کے حسی اعضاء سے محرک ہوا کے دباؤ میں تبدیلی + + mountainپہاڑ + + personal eventذاتی تقریبan event that occurs in someone's personal lifeایک واقعہ جو کسی کی ذاتی زندگی میں پیش آتا ہے۔ - Prueba ciclistacykelløbgara ciclisticawielercompetitiecycling competition사이클 대회διαγωνισμός ποδηλασίαςRadrennen + Prueba ciclista사이클 대회cykelløbwielercompetitieδιαγωνισμός ποδηλασίαςRadrennengara ciclisticaسائیکلنگ مقابلہcourse cyclistecycling competition + + naruto characterافسانوی کردار - ストリートruestreetΟδόςsráidstraatStraßeA 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. + rueΟδόςストリートStraßesráidstraatstreetA 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. - klasztor僧院klosterkloostermonestirmonasteryμοναστήριmainistirmonastèreKlosterKlasztor – budynek lub zespół budynków, w którym mieszkają wspólnoty religijne zakonników albo zakonnic.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.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.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.Μονή υποδηλώνει το κτίριο ή συγκρότημα κτιρίων, που αποτελείται από τις εγχώρια τρίμηνα και στο χώρο εργασίας (ες) των μοναχών, αν οι μοναχοί ή μοναχές, και αν ζουν στην κοινότητα ή μεμονωμένα (ερημίτες). Η μονή περιλαμβάνει γενικά ένα χώρο που προορίζεται για την προσευχή που μπορεί να είναι ένα παρεκκλήσι, εκκλησία ή ναό, και μπορεί επίσης να χρησιμεύσει ως μια ρητορική.Is pobal manaigh ina gcónaí faoi móideanna reiligiúnach í mainistir.Le monastère est un ensemble de bâtiments où habite une communauté religieuse de moines ou de moniales.. + klostermonestirkloosterklasztorμοναστήρι僧院KlostermainistirخانقاہmonastèremonasteryUn 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.Klasztor – budynek lub zespół budynków, w którym mieszkają wspólnoty religijne zakonników albo zakonnic.Μονή υποδηλώνει το κτίριο ή συγκρότημα κτιρίων, που αποτελείται από τις εγχώρια τρίμηνα και στο χώρο εργασίας (ες) των μοναχών, αν οι μοναχοί ή μοναχές, και αν ζουν στην κοινότητα ή μεμονωμένα (ερημίτες). Η μονή περιλαμβάνει γενικά ένα χώρο που προορίζεται για την προσευχή που μπορεί να είναι ένα παρεκκλήσι, εκκλησία ή ναό, και μπορεί επίσης να χρησιμεύσει ως μια ρητορική.Is pobal manaigh ina gcónaí faoi móideanna reiligiúnach í mainistir.خانقاہ عمارت، یا عمارتوں کے کمپلیکس کی نشاندہی کرتی ہے، جس میں خانقاہوں کے گھریلو کوارٹرز اور کام کی جگہیں شامل ہیں، چاہے وہ راہب ہوں یا راہبائیں، اور چاہے وہ برادری میں رہ رہے ہوں یا اکیلے (حرمت والے)۔ خانقاہ میں عام طور پر نماز کے لیے مخصوص جگہ شامل ہوتی ہے جو ایک چیپل، گرجا گھر یا مندر ہو سکتا ہے، اور ایک تقریر کے طور پر بھی کام کر سکتا ہے۔Le monastère est un ensemble de bâtiments où habite une communauté religieuse de moines ou de moniales..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. - spoorwegtunnelrailway tunnelσιδηροδρομική σήραγγαtollán iarnróidEisenbahntunnel + spoorwegtunnelσιδηροδρομική σήραγγαEisenbahntunneltollán iarnróidrailway tunnel + + regionعلاقہ - juego de cartaskortspilkaartspelcard gamejeu de cartesKartenspielcome from http://en.wikipedia.org/wiki/Category:Card_games + juego de cartaskortspilkaartspelKartenspielتاشjeu de cartescard gamecome from http://en.wikipedia.org/wiki/Category:Card_games + + فٹ بال لیگ کے موسمfootball league season + + sports leagueکھیلوں کی انجمنA group of sports teams or individual athletes that compete against each other in a specific sport.کھیلوں کی ٹیموں یا انفرادی کھلاڑیوں کا ایک گروہ جو ایک مخصوص کھیل میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں۔ - 上院議員senadorsenatorsenatorγερουσιαστήςseanadóirsénateurSenator + senadorsenatorγερουσιαστής上院議員Senatorseanadóirسینیٹ کا رُکنsénateursenator - 元素elemento chimicochemisch elementchemical element원소χημικό στοιχείοélément chimiquechemisches Element + 원소chemisch elementχημικό στοιχείο元素chemisches Elementelemento chimicoکیمیائی عنصرélément chimiquechemical element + + comics creatorمزاحیہ تخلیق کار - 卒業証明書diplomadiplomaδίπλωμαdioplómadiplômeDiplom + diplomaδίπλωμα卒業証明書Diplomdioplómaسندdiplômediploma - imięvoornaamgiven nameόνομαcéadainmprénomVorname + voornaamimięόνομαVornamecéadainmدیا گیا نامprénomgiven name - tętnica動脈arteriaslagaderartery동맥αρτηρίαartaireartèreArterie + 동맥slagadertętnicaαρτηρία動脈Arterieartairearteriaشریانartèreartery - baaibaíabaybaieBucht + baaiBuchtbaíaخلیجbaiebay + + مجموعی ملکی پیداوارgross domestic product - hockeybondfield hockey leagueπρωτάθλημα χόκεϊ επί χόρτουligue d'hockey sur gazonFeldhockey-Ligaa group of sports teams that compete against each other in Field Hockeyένα γκρουπ αθλητικών ομάδων που διαγωνίζονται η μια εναντίον της άλλης στο χόκεϊ επί χόρτου + hockeybondπρωτάθλημα χόκεϊ επί χόρτουFeldhockey-Ligaکھیل ہاکی ٹیموں کا گروہligue d'hockey sur gazonfield hockey leagueکھیلوں کی ٹیموں کا ایک گروپ جو ہاکی کے میدان میں ایک دوسرے کے خلاف مقابلہ کرتا ہے۔a group of sports teams that compete against each other in Field Hockeyένα γκρουπ αθλητικών ομάδων που διαγωνίζονται η μια εναντίον της άλλης στο χόκεϊ επί χόρτου - 多島海archipiélagoarchipelarquipélagoarchipelagoαρχιπέλαγοςarchipelArchipel + archipiélagoarchipelαρχιπέλαγος多島海Archipelarquipélagoجزیرہ نماarchipelarchipelago + + judgeقاضی - RobotRobotРобота + RobotRobotRobotРобота + + mineکانA mine is a place where mineral resources are or were extractedکان ایک ایسی جگہ ہے جہاں معدنی وسائل ہیں یا نکالے گئے ہیں۔ - competitiecompetitionδιαγωνισμόςcomórtascompétitionWettbewerb + competitieδιαγωνισμόςWettbewerbcomórtasمقابلہcompétitioncompetition + + بیس بال کی جماعتbaseball team - テニストーナメントtorneo di tennistennis toernooitennis tournamentΤουρνουά Τένιςcomórtas leadóigeTennisturnier + tennis toernooiΤουρνουά ΤένιςテニストーナメントTennisturniercomórtas leadóigetorneo di tennisٹینس کا باہمی مقابلہtournoi de tennistennis tournament + + Christian Doctrineعیسائی نظریہTenets of the Christian faith, e.g. Trinity, Nicene Creedعیسائی عقیدے کے اصول، جیسے تثلیث، نیکین عقیدہ - synagogaシナゴーグsinagogasynagogesynagogueσυναγωγήsionagógsynagogueSynagogeA synagogue, sometimes spelt synagog, is a Jewish or Samaritan house of prayer.Une synagogue est un lieu de culte juif. + sinagogasynagogesynagogaσυναγωγήシナゴーグSynagogesionagógیہودیوں کی عبادت گاہsynagoguesynagogueA synagogue, sometimes spelt synagog, is a Jewish or Samaritan house of prayer.Une synagogue est un lieu de culte juif.یہودیوں کی عبادت گاہ، ایک یہودی یا سامری نماز کا گھر ہے۔ - プロジェクトproyectoprojectprojectσχέδιοtionscadalprojetProjektA 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. + proyectoprojectσχέδιοプロジェクトProjekttionscadalمنصوبہprojetprojectA 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.ایک پروجیکٹ ایک عارضی کوشش ہے جو متعین مقاصد کے حصول کے لیے کی جاتی ہے۔ + + ٹینس کی انجمنtennis leagueکھیلوں کی ٹیموں کا ایک گروپ یا شخص جو ٹینس میں ایک دوسرے کے خلاف مقابلہ کرتے ہیںA group of sports teams or person that compete against each other in tennis. - Football League seizoenfootball league season축구 대회 시즌αγωνιστική περίοδος πρωταθλήματος ποδοσφαίρουséasúr srath péileFootball Liga Saison + 축구 대회 시즌Football League seizoenαγωνιστική περίοδος πρωταθλήματος ποδοσφαίρουFootball Liga Saisonséasúr srath péileفٹ بال لیگ کے موسمfootball league season - カメラfotocameracameracamera카메라φωτογραφική μηχανήceamaraappareil photographiqueKameraUna 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.Φωτογραφική μηχανή ονομάζεται η συσκευή που χρησιμοποιείται για τη λήψη φωτογραφιών.Οι ευρύτερα χρησιμοποιούμενες σήμερα φωτογραφικές μηχανές, ερασιτεχνικής ή επαγγελματικής χρήσης, διακρίνονται σε δύο βασικές κατηγορίες: τις συμπαγείς και στις μονοοπτικές ρεφλέξ. Διακρινόμενες, ανάλογα με την τεχνολογία τους,είναι οι κλασικές φωτογραφικές μηχανές με φιλμ και οι ψηφιακές φωτογραφικές μηχανές. + 카메라cameraφωτογραφική μηχανήカメラKameraceamarafotocameraتصویر کھینچنے کا آلہappareil photographiquecameraUna 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.Φωτογραφική μηχανή ονομάζεται η συσκευή που χρησιμοποιείται για τη λήψη φωτογραφιών.Οι ευρύτερα χρησιμοποιούμενες σήμερα φωτογραφικές μηχανές, ερασιτεχνικής ή επαγγελματικής χρήσης, διακρίνονται σε δύο βασικές κατηγορίες: τις συμπαγείς και στις μονοοπτικές ρεφλέξ. Διακρινόμενες, ανάλογα με την τεχνολογία τους,είναι οι κλασικές φωτογραφικές μηχανές με φιλμ και οι ψηφιακές φωτογραφικές μηχανές.ایک کیمرہ (اطالوی میں روایتی طور پر کیمرے کے نام سے جانا جاتا ہے) ایک ایسا آلہ ہے جو فوٹو گرافی کی شوٹنگ اور حقیقی اشیاء کی تصاویر حاصل کرنے کے لیے استعمال کیا جاتا ہے جو کاغذ پر چھپ سکتی ہیں یا الیکٹرانک میڈیا پر محفوظ کی جا سکتی ہیں۔ - 裁判官juezgiudicerechterjudgeδικαστήςbreitheamhjugerichter + juezrechterδικαστής裁判官richterbreitheamhgiudiceقاضیjugejudge + + قسم + + کروی غولGlobular Swarm + + deityدیوتا - statekbarcoschipshipπλοίοárthachnavireSchiff + barcoschipstatekπλοίοSchiffárthachجہازnavireship - nagrodanagradapremioprijsawardβραβείοgradamrécompenseAuszeichnung + prijsnagradanagrodaβραβείοAuszeichnunggradampremioانعامrécompenseaward - 天体cuerpo celestecorpo celestehemellichaamcelestial body천체ουράνιο σώμαrinn neimhecorps celesteHimmelskörper + cuerpo celeste천체hemellichaamουράνιο σώμα天体Himmelskörperrinn neimhecorpo celesteجرم فلکیcorps celestecelestial body + + cardinalافضل - 墓地cementeriobegraafplaatscemeteryνεκροταφείοreiligcimetièreFriedhofA burial placeΝεκροταφείο (ή Κοιμητήριο) ονομάζεται ο χώρος ο προορισμένος για την ταφή των νεκρών.Un cimetière est un groupement de sépultures monumentales. + cementeriobegraafplaatsνεκροταφείο墓地FriedhofreiligقبرستانcimetièrecemeteryA burial placeایک تدفین کی جگہΝεκροταφείο (ή Κοιμητήριο) ονομάζεται ο χώρος ο προορισμένος για την ταφή των νεκρών.Un cimetière est un groupement de sépultures monumentales. + + یادگارmemorialایک قسم کا ڈھانچہ (ایک مجسمہ یا آرٹ آبجیکٹ) کسی شخص یا اہم واقعہ کی یاد میں بنایا گیا ، ضروری نہیں کہ تباہ کن نوعیت کا ہوA monument erected to commemorate a person, an event and/or group. In the case of a person, this might be a grave or tomb. + + نَسبہgene - 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 + voormalige gemeenteehemalige Gemeindeسابق بلدیہcommune historiqueone-time municipalityA municipality that has ceased to exist, and most of the time got incorporated (wholesale or partly) into another municipalityایک بلدیہ جس کا وجود ختم ہو گیا ہے، اور زیادہ تر وقت کسی دوسری بلدیہ میں (تھوک یا جزوی طور پر) شامل ہو گیا ہے + + warmwaterbron温泉heiße Quellefoinse thefonte termalگرم پانی کا قدرتی چشمہhot spring + + نشے کی دواdrug + + ArtificialSatelliteمصنوعی سیارہخلائی پرواز کے تناظر میں ، مصنوعی سیارہ ایک مصنوعی شے ہے جسے جان بوجھ کر مدار میں رکھا گیا ہےIn the context of spaceflight, an artificial satellite is an artificial object which has been intentionally placed into orbit. + + JewishLeaderیہودی رہنما + + آسٹریلوی فٹ بال کی انجمنaustralian football leagueکھیلوں کی ٹیموں کا ایک گروپ جو آسٹریلین فٹ بال میں ایک دوسرے کے خلاف مقابلہ کرتا ہےA group of sports teams that compete against each other in australian football. - martial artistKampfkünstlerΠολεμικός Καλλιτέχνης + martial artistKampfkünstlerمارشل کے فنکارΠολεμικός Καλλιτέχνης + + cricket teamکرکٹ جماعت - hollywood cartoonHollywood cartoonκινούμενα σχέδια του HollywoodHollywood Cartoon + Hollywood cartoonκινούμενα σχέδια του HollywoodHollywood Cartoonہالی ووڈ کارٹونhollywood cartoon - 地震aardbevingearthquaketremblement de terreErdbebenthe result of a sudden release of energy in the Earth's crust that creates seismic waves + aardbeving地震Erdbebenزلزلہtremblement de terreearthquakethe result of a sudden release of energy in the Earth's crust that creates seismic wavesیہ زمین کی پرت میں اچانک توانائی کے اخراج کا نتیجہ ہے جو زلزلے کی لہروں کو پیدا کرتا ہے + + canoeistکشتی بنانے والا + + بیس بال کا کھلاڑیbaseball player - ミュージカルmusicalmusical뮤지컬μουσικόςmusiqueMusical + 뮤지컬musicalμουσικόςミュージカルMusicalموسیقی کاmusiquemusical + + poemنظم + + archeologistماہر آثار قدیمہ + + archbishopپادریوں کا سردار - ビーチバレー選手giocatore di beach volleybeachvolleybal spelerbeach volleyball player비치발리볼 선수παίκτης του beach volleyjoueur de volleyball de plageBeachvolleyballspielerΈνα άτομο (άνδρας ή γυναίκα) που ασχολείται με το άθλημα του μπίτς βόλλεϋ. + 비치발리볼 선수beachvolleybal spelerπαίκτης του beach volleyビーチバレー選手Beachvolleyballspielergiocatore di beach volleyساحل سمندروالی بال کاکھلاڑیjoueur de volleyball de plagebeach volleyball playerΈνα άτομο (άνδρας ή γυναίκα) που ασχολείται με το άθλημα του μπίτς βόλλεϋ. + + ستارہstar - national collegiate athletic association team seasonNCAA Team SaisonNCAA team seizoen + national collegiate athletic association team seasonNCAA Team SaisonNCAA team seizoenقومی کالج ورزش انجمن کاموسم + + نامعلومUnknown + + شخصperson + + coal pitکوئلہA coal pit is a place where charcoal is or was extractedکوئلے کا گڑھا ایک ایسی جگہ ہے جہاں چارکول ہے یا نکالا جاتا ہے۔ + + plantپودا - 恒星stellasterstar항성αστέριréaltaétoileStern + 항성sterαστέρι恒星Sternréaltastellaستارہétoilestar - inlinehockey competitieinline hockey leagueπρωτάθλημα χόκεϋ inlinesraith haca inlíneInlinehockey Ligagroup of sports teams that compete against each other in Inline Hockey. + inlinehockey competitieπρωτάθλημα χόκεϋ inlineInlinehockey Ligasraith haca inlíneان لائن ہاکی انجمنinline hockey leaguegroup of sports teams that compete against each other in Inline Hockey.کھیلوں کی ٹیموں کا گروپ جو ان لائن ہاکی میں ایک دوسرے سے مقابلہ کرتے ہیں۔ + + پلbridgeایک پل ایک ایسا ڈھانچہ ہے جو جسمانی رکاوٹوں جیسے پانی ، وادی یا سڑک کی راہ میں رکاوٹ کو عبور کرنے کے مقصد سے بنایا گیا ہےA 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). - Eurovisie Songfestival actEurovision song contest entryΔιαγωνισμός τραγουδιού της Eurovisioniontráil i gComórtas Amhránaíochta na hEoraifíseconcours Eurovision de la chansonVorentscheid Eurovision song contest + Eurovisie Songfestival actΔιαγωνισμός τραγουδιού της EurovisionVorentscheid Eurovision song contestiontráil i gComórtas Amhránaíochta na hEoraifíseیوروویژن گانا مقابلہ اندراجconcours Eurovision de la chansonEurovision song contest entry + + micro-regionچھوٹاعلاقہA microregion is a - mainy statistical - region in Brazil, at an administrative level between a meso-region and a communityمائیکرو ریجن برازیل میں ایک - بنیادی شماریاتی - خطہ ہے، انتظامی سطح پر ایک میسو ریجن اور کمیونٹی کے درمیان - 小教区parochieparishενορίαparóisteparoisseGemeindeThe smallest unit of a clerical administrative bodyΕίναι η μικρότερη μονάδα στην διοικητική ιερατική δομή. + parochieενορία小教区Gemeindeparóisteپادری کا علاقہparoisseparishعلما کے انتظامی ادارے کی سب سے چھوٹی اکائیThe smallest unit of a clerical administrative bodyΕίναι η μικρότερη μονάδα στην διοικητική ιερατική δομή. - ManorHeerlijkheidSeigneurieGrundherrschaftEstate and/or (cluster of) lands that are under the jurisdiction of a feudal lord. Hence it is also the shorthand expression for the physical estate itself: a manor is a stately house in the countryside with the surrounding grounds + HeerlijkheidGrundherrschaftجاگیرSeigneurieManorEstate and/or (cluster of) lands that are under the jurisdiction of a feudal lord. Hence it is also the shorthand expression for the physical estate itself: a manor is a stately house in the countryside with the surrounding grounds - アマチュアボクサーpugile amatorialeamateur boxeramateur boxer아마추어 권투 선수ερασιτέχνης μποξέρdornálaí amaitéarachboxeur amateurAmateurboxerboxeador afeccionado + 아마추어 권투 선수amateur boxerερασιτέχνης μποξέρアマチュアボクサーAmateurboxerdornálaí amaitéarachpugile amatorialeشوقیہ مکے بازboxeador afeccionadoboxeur amateuramateur boxer - Brauner Zwergbrown dwarfbruine dwerg + Brauner Zwergbrown dwarfbruine dwergبھورا بونا + + atollاڈلمرجانی چٹانوں سے بنا ہواجزیرہ + + natural regionقدرتی علاقہقدرتی رقبہ کا استعمال کسی جغرافیائی علاقے کی حد کو بیان کرنے کے لیے کیا جاتا ہے جس میں بشریات کی مداخلت کم از کم موجود نہیں ہوتی + + ماتحت علاقہterritoryایک ماتحت علاقہ کسی ملک کی ذیلی تقسیم، ایک غیر خودمختار جغرافیائی خطہ کا حوالہ دے سکتا ہے۔A territory may refer to a country subdivision, a non-sovereign geographic region. + + دستاویزکوئی بھی دستاویز۔ + + altitudeبلندی - huesoossobotossoboneοστόcnámhosKnochenΗ βασική μονάδα του συστήματος στήριξης των σπονδυλωτών οργανισμών. + huesobotοστόKnochencnámhossoossoہڈیosboneΗ βασική μονάδα του συστήματος στήριξης των σπονδυλωτών οργανισμών. + + فوجی ہوائی جہازmilitary aircraft + + بورڈ کھیلboard gameایک بورڈ گیم ایک ایسا کھیل ہے جس کے لیے ایک اچھی طرح سے متعین کردہ سطح کی ضرورت ہوتی ہے ، جسے عام طور پر ایک بورڈ کہا جاتا ہے۔come from http://en.wikipedia.org/wiki/Category:Board_games + + شناخت کنندہidentifier + + شراب کا علاقہwine region - polysaccharidePolysaccharidepolysacharideZijn koolhydraten die zijn opgebouwd uit tien of meer monosacharide-eenheden + polysaccharidePolysaccharidepolysacharideکثِیر شَکریZijn koolhydraten die zijn opgebouwd uit tien of meer monosacharide-eenhedenیہ کاربوہائیڈریٹس ہیں جو دس یا اس سے زیادہ سادَہ شَکَّر یونٹوں سے بنی ہیں۔ - miastociudadbycittàstadशहरcidadecity도시πόληcathairvilleStadtcidadea 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. + ciudad도시bystadmiastoπόληStadtशहरcathaircittàcidadeشہرcidadevillecitya 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.ایک نسبتا بڑی اور مستقل آبادی ، خاص طور پر ایک بڑی شہری بستی - 経済学者economistaeconoomeconomist경제학자οικονομολόγοςeacnamaíéconomisteÖkonomAn 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. + economista경제학자econoomοικονομολόγος経済学者Ökonomeacnamaíماہر معاشیاتéconomisteeconomistAn 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.ایک ماہر معاشیات معاشیات کے سماجی سائنس کے شعبے میں پیشہ ور ہوتا ہے + + fungus + + polysaccharideکثِیر شَکرییہ کاربوہائیڈریٹس ہیں جو دس یا اس سے زیادہ سادَہ شَکَّر یونٹوں سے بنی ہیں۔ + + Nobel Prizeاعلی انعام - congresconvention컨벤션συνέδριοcongrèsKonvention + 컨벤션congresσυνέδριοKonventionمجلسcongrèsconvention + + horseگھوڑا - documenttypeDocument Typeτύπος εγγράφουcineál cáipéiseDokumentenarttype of document (official, informal etc.)documenttype + documenttypeτύπος εγγράφουDokumentenartcineál cáipéiseدستاویز کی قسمtype de documentDocument Typetype of document (official, informal etc.)documenttypeدستاویز کی قسم (سرکاری، غیر رسمی وغیرہ - speedway riderSpeedway Fahrerspeedway rijder + speedway riderSpeedway Fahrerspeedway rijderتیز راہ سوار - 体操選手gymnastturnergymnastγυμναστήςgleacaíTurnerA gymnast is one who performs gymnasticsΈνας γυμναστής είναι ένας που εκτελεί γυμναστικές ασκήσεις + gymnastturnerγυμναστής体操選手TurnergleacaíکسرتیgymnastegymnastA gymnast is one who performs gymnasticsUn gymnaste est une personne qui pratique la gymnastiqueΈνας γυμναστής είναι ένας που εκτελεί γυμναστικές ασκήσειςجمناسٹ وہ ہوتا ہے جو جمناسٹکس کرتا ہے + + کھیلوں کی انجمنsports leagueکھیلوں کی ٹیموں یا انفرادی کھلاڑیوں کا ایک گروہ جو ایک مخصوص کھیل میں ایک دوسرے کے خلاف مقابلہ کرتے ہیںA group of sports teams or individual athletes that compete against each other in a specific sport. + + گالف کا میدانgolf courseزمین کا ایک علاقہ جس میں گولف کے لیے 9 یا 18 سوراخ ہوتے ہیں جن میں سے ہر ایک میں ٹی ، فیئر وے ، اور سبز اور اکثر ایک یا زیادہ قدرتی یا مصنوعی خطرات شامل ہیں۔ - جسے گولف لنکس بھی کہا جاتا ہے۔In a golf course, holes often carry hazards, defined as special areas to which additional rules of the game apply. + + نسلی گروہethnic group + + موبائل فونmobile phone + + درہmountain passایک راستہ جو پہاڑی سلسلہ کو عبور کرنے کی اجازت دیتا ہے۔ یہ عام طور پر اونچی اونچائی کے دو علاقوں کے درمیان ایک سیڈل پوائنٹ ہوتا ہےa path that allows the crossing of a mountain chain. It is usually a saddle point in between two areas of higher elevation + + criminalمجرم - ショッピングモールwinkelcentrumshoppingshopping mall쇼핑몰εμπορικό κέντροionad siopadóireachtacentre commercialEinkaufszentrum + 쇼핑몰winkelcentrumεμπορικό κέντροショッピングモールEinkaufszentrumionad siopadóireachtashoppingخریداری کرنے کے لیے مختص جگہcentre commercialshopping mall - ジャーナリストperiodistagiornalistajournalistjournalistδημοσιογράφοςiriseoirjournalisteJournalist + periodistajournalistδημοσιογράφοςジャーナリストJournalistiriseoirgiornalistaصحافیjournalistejournalist + + مخلوط مارشل آرٹس کی انجمنmixed martial arts leagueکھیلوں کی ٹیموں کا ایک گروپ جو مخلوط مارشل آرٹس میں ایک دوسرے سے مقابلہ کرتا ہے۔a group of sports teams that compete against each other in Mixed Martial Arts + + ٹی وی مزبانtelevision host + + space shuttleخلائی جہاز + + ہلکی شرابbeer + + projectمنصوبہA project is a temporary endeavor undertaken to achieve defined objectives.ایک پروجیکٹ ایک عارضی کوشش ہے جو متعین مقاصد کے حصول کے لیے کی جاتی ہے۔ - 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 + HormoneHormonehormoonاعضاء کی خوراکA 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.Une hormone fait partie d'une classe de molécules de signalisation produites par les glandes d'organismes multicellulaires qui sont transportées par le système circulatoire pour cibler des organes distants afin de réguler la physiologie et le comportement.Hormonen zijn signaalstoffen die door endocriene klieren via de bloedbaan aan doelcellen of -organen worden afgegeven en fysiologische processen en gedrag regulerenایک مادہ جو غدود سے نکل کر خون میں شامل ہوتا ہےاورگردش کے نظام کے ذریعے دور دراز کے اعضاء کو نشانہ بناتے ہیں تاکہ جسمانیات اور طرز عمل کو کنٹرول کریں + + Legal Caseقانونی مقدمہ + + ریگستانزمین کا بنجر علاقہ جہاں کم بارش ہوتی ہے۔ - sportfaciliteitsport facilityαθλητικές εγκαταστάσειςinstallation sportiveSportanlage + sportfaciliteitαθλητικές εγκαταστάσειςSportanlageکھیل کی سہولتinstallation sportivesport facility + + بوبسلیگ کھلاڑیBobsleighAthlete - エージェントagenteagentagenteagentagent에이전트πράκτοραςgníomhaireagentAgentaxenteAnalogous 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. + agente에이전트agentagentπράκτοραςエージェントAgentgníomhaireagenteنمائندہaxenteagentagentΑνάλογα με την κλάση 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.Equivaut à foaf:Agent, un agent est une entité qui agit. C'est supposé être la super classe de Person et de Organisation.Analogous to a foaf:Agent, an agent is an entity that acts. This is intended to be the super class of Person and Organisation. - 粉砕機møllemulinoMolenMillΜύλοςmuileannMoulinMühlea unit operation designed to break a solid material into smaller pieces + mølleMolenΜύλος粉砕機MühlemuileannmulinoچکیMoulinMilla unit operation designed to break a solid material into smaller piecesایک یونٹ آپریشن جو ٹھوس مواد کو چھوٹے ٹکڑوں میں توڑنے کے لیے ڈیزائن کیا گیا ہے۔ + + کارخانهfactoryایک کارخانه (پہلے کارخانه) ایک صنعتی رقبہ ہے ، عام طور پر عمارتوں اور مشینری پر مشتمل ہوتی ہے ، یا زیادہ عام طور پر ایک مرکب جس میں کئی عمارتیں ہوتی ہیں ، جہاں مزدور سامان تیار کرتے ہیں یا مشینیں چلاتے ہیں جو ایک مصنوعات کو دوسری پر پروسیسنگ کرتے ہیں۔A 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. + + سرائےhotel - obraz絵画malerischilderijPaintingΈργο ΖωγραφικήςpictiúrpeintureGemäldeDescribes a painting to assign picture entries in wikipedia to artists. + malerischilderijobrazΈργο Ζωγραφικής絵画GemäldepictiúrنقاشیpeinturePaintingDescribes a painting to assign picture entries in wikipedia to artists. + + ہتھیارweapon + + ماہر حشریاتentomologist + + provinceصوبہAn administrative body governing a territorial unity on the intermediate level, between local and national levelایک انتظامی ادارہ جو مقامی اور قومی سطح کے درمیان انٹرمیڈیٹ سطح پر علاقائی وحدت کا انتظام کرتا ہے۔ + + Sailorملاح - resultados de Juegos Olímpicosresultaat op de Olympische Spelenolympic resultαποτελέσματα Ολυμπιακών αγώνωνrésultat de Jeux Olympiquesolympisches Ergebnis + resultados de Juegos Olímpicosresultaat op de Olympische Spelenαποτελέσματα Ολυμπιακών αγώνωνolympisches Ergebnisاولمپک کا نتیجہrésultat de Jeux Olympiquesolympic result + + سازندہinstrumentalist - Sports team memberμέλος αθλητικής ομάδαςsport teamlidSport Team Mitgliedlid van een athletisch teamA member of an athletic team.Μέλος αθλητικής ομάδας. + sport teamlidμέλος αθλητικής ομάδαςSport Team Mitgliedکھیلوں کی جماعت کا رکنmembre d'équipe sportiveSports team memberlid van een athletisch teamA member of an athletic team.ایتھلیٹک ٹیم کا رکنΜέλος αθλητικής ομάδας. + + خلوی مادہeukaryote + + Oceanسمندرنمکین پانی کا ایک جسم جو سیارے کے ہائیڈروسفیئر کا زیادہ تر حصہ بناتا ہے۔ - unidad militarmilitaire eenheidunidade militarmilitary unit군대Στρατιωτική Μονάδαunité militaireMilitäreinheit + unidad militar군대militaire eenheidΣτρατιωτική ΜονάδαMilitäreinheitunidade militarفوجی یونٹunité militairemilitary unit - staatsapparaatpublic serviceδημόσιες υπηρεσίεςservice publicöffentlicher DienstΕίναι οι υπηρεσίες που προσφέρονται από δομές του κράτους + staatsapparaatδημόσιες υπηρεσίεςöffentlicher Dienstخدمات عامہservice publicpublic serviceΕίναι οι υπηρεσίες που προσφέρονται από δομές του κράτουςیہ ریاستی ڈھانچے کی طرف سے عوام کے لیے فراہم کردہ خدمات ہیں۔ + + mediaمواصلاتstorage and transmission channels or tools used to store and deliver information or dataذخیرہ اور منتقلی چینلز یااوزار جو معلومات یا ڈیٹا کو ذخیرہ کرنے اور پہنچانے کے لیے استعمال ہوتے ہیں۔ - キャラクターpersonaggio animangaani-manga figuuranimanga character만화애니 등장인물χαρακτήρας ανιμάνγκαcarachtar animangapersonnage d'animangaManga-Charakterpersonaxe de animangaAnime/Manga characterΧαρακτήρας από Άνιμε/Μάνγκα + 만화애니 등장인물ani-manga figuurχαρακτήρας ανιμάνγκαキャラクターManga-Charaktercarachtar animangapersonaggio animangaانیمنگا کردارpersonaxe de animangapersonnage d'animangaanimanga characterAnime/Manga characterΧαρακτήρας από Άνιμε/Μάνγκα - サッカートーナメントfutbol turnuvasıvoetbal toernooicampeonato de futebolsoccer tournomentτουρνουά ποδοσφαίρουcomórtas sacairFußballturnier + voetbal toernooiτουρνουά ποδοσφαίρουサッカートーナメントFußballturniercomórtas sacaircampeonato de futebolفٹ بال باہمی مقابلہfutbol turnuvasısoccer tournoment + + curlerگھنگریالا بنانے کا آلہ + + Political conceptسیاسی تصورPolitical concepts, e.g. Capitalism, Democracyسیاسی تصورات، جیسے سرمایہ داری، جمہوریت - 病気sygdommalattiaziektedisease질병ασθένειαgalarmaladieKrankheit + 질병sygdomziekteασθένεια病気Krankheitgalarmalattiaبیماریmaladiedisease - literary genreLiteraturgattunggenre littéraireliterair genreGenres of literature, e.g. Satire, Gothic + literair genreLiteraturgattungادبی صنفgenre littéraireliterary genreGenres of literature, e.g. Satire, Gothicادب کی انواع، جیسے طنزیہ، غیر مہذب - ブドウuvauvadruifgrapeσταφύλιfíonchaorraisinWeintraube + uvadruifσταφύλιブドウWeintraubefíonchaoruvaانگورraisingrape + + chancellorمشیر + + unit of workکام کی اکائیThis 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.اس کلاس کا مقصد کام کی مقدار کو سمجھانا ہے۔ یہ سرگرمی سے مختلف ہے کہ اس کا ایک حتمی اختتام ہے اور اسے ناپا جا رہا ہے۔ + + diplomaسند - 水域Cuerpo de aguadistesa d'acquawatervlakteextensão d’águabody of water수역ύδαταétendue d'eauGewässerΣυγκεντρωμένες, συνήθως μεγάλες ποσότητες νερού (π.χ. ωκεανοί) που βρίσκονται στη Γη ή σε οποιονδήποτε άλλο πλανήτη. Ο όρος χρησιμοποιείται και για υδάτινους σχηματισμούς όπου υπάρχει κίνηση του νερού, όπως ποταμοί, ρεύματα ή κανάλια. + Cuerpo de agua수역watervlakteύδατα水域Gewässerdistesa d'acquaextensão d’águaاجسامِ آبétendue d'eaubody of waterΣυγκεντρωμένες, συνήθως μεγάλες ποσότητες νερού (π.χ. ωκεανοί) που βρίσκονται στη Γη ή σε οποιονδήποτε άλλο πλανήτη. Ο όρος χρησιμοποιείται και για υδάτινους σχηματισμούς όπου υπάρχει κίνηση του νερού, όπως ποταμοί, ρεύματα ή κανάλια.مرکوز ، عام طور پر پانی کی بڑی مقدار (جیسے سمندر) جو زمین یا کسی دوسرے سیارے پر پائے جاتے ہیں۔ یہ اصطلاح آبی شکلوں کے لیے بھی استعمال ہوتی ہے جہاں پانی کی نقل و حرکت ہوتی ہے ، جیسے دریا ، نہریں یا نہریں + + craterدہانه + + wrestlerپہلوان - historical eventhistorische gebeurtenisévènement historiquehistorisches Ereignisan event that is clearly different from strictly personal events and had historical impact + historische gebeurtenishistorisches Ereignisتاریخی واقعہévènement historiquehistorical eventan event that is clearly different from strictly personal events and had historical impactایک ایسا واقعہ جو ذاتی واقعات سے واضح طورپرمختلف ہوجونمایاں، تاریخ بدلنےوالااثررکھتا ہے + + رنگ سازpainter + + قسم + + politician spouseسیاستدان میاں بیوی + + پادری کا علاقہparishThe smallest unit of a clerical administrative bodyعلما کے انتظامی ادارے کی سب سے چھوٹی اکائی - サーキットのコースracecircuitrace trackπίστα αγώνωνrásraoncircuit de courseRennstrecke + racecircuitπίστα αγώνωνサーキットのコースRennstreckerásraoncircuit de courserace track - 歴史的建造物historisch gebouwhistoric buildingιστορικό κτίριοfoirgneamh stairiúilbâtiment historiquehistorisches Gebäude + historisch gebouwιστορικό κτίριο歴史的建造物historisches Gebäudefoirgneamh stairiúilتاریخی عمارتbâtiment historiquehistoric building + + مونوکلونل دافِع جِسمmonoclonal antibodyوہ دوائیں جو ایک مونوکلونل دافِع جِسم ہیں۔‎Drugs that are a monoclonal antibody‎ + + nerveاعصاب + + رسالہmagazineمیگزین، میگزین، چمکیلی یا سیریل اشاعتیں ہیں، عام طور پر ایک باقاعدہ شیڈول پر شائع ہوتے ہیں، مختلف مضامین پر مشتمل ہوتے ہیں. انہیں عام طور پر اشتہارات، خریداری کی قیمت، پری پیڈ میگزین سبسکرپشنز، یا تینوں کے ذریعے مالی اعانت فراہم کی جاتی ہےMagazines, 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. + + ڈیجیٹل کیمرہڈیجیٹل کیمرہ ایک ایسا آلہ ہے جو روایتی کیمرہ کے برعکس الیکٹرانک طور پر تصاویر کھینچتا ہے، جو کیمیائی اور مکینیکل عمل سے تصاویر کھینچتا ہے۔ + + musicalموسیقی کا + + cricket groundکرکٹ کا میدان + + national football league seasonقومی فٹ بال لیگ کا موسم - モニュメントmonumentmonumentμνημείοséadchomharthamonumentDenkmalA type of structure (a statue or an art object) created to commemorate a person or important event, not necessarily of a catastrophic nature. + monumentμνημείοモニュメントDenkmalséadchomharthaیادگارmonumentmonumentA type of structure (a statue or an art object) created to commemorate a person or important event, not necessarily of a catastrophic nature.ایک قسم کا ڈھانچہ (ایک مجسمہ یا آرٹ آبجیکٹ) کسی شخص یا اہم واقعہ کی یاد میں بنایا گیا ، ضروری نہیں کہ تباہ کن نوعیت کا ہو۔ - artysta芸術家kunstnerartistakunstenaarмастакartist예술가καλλιτέχνηςealaíontóirхудожникartisteKünstler + 예술가kunstnerkunstenaarхудожникartystaκαλλιτέχνης芸術家Künstlerealaíontóirartistaмастакفنکارartisteartist + + گلوکارSingerایک شخص جو گاتا ہے + + یوکاریوٹ - 調教師paardentrainerhorse trainerεκπαιδευτής αλόγωνPferdetrainer + paardentrainerεκπαιδευτής αλόγων調教師Pferdetrainerگھوڑا سدھانے والاentraineur de chevauxhorse trainer + + american football leagueامریکن فٹ بال لیگA group of sports teams that compete against each other in american football.کھیلوں کی ٹیموں کا ایک گروپ جو امریکی فٹ بال میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں۔. + + آبی گزرگاہ کی سرنگwaterway tunnel + + پتھر کنڈلی کھيل کی انجمنcurling leaguea group of sports teams that compete against each other in Curlingکھیلوں کی ٹیموں کا ایک گروپ جو کرلنگ میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں۔ - カヌー選手canoistakanovaardercanoeistcanúálaíKanute + kanovaarderカヌー選手Kanutecanúálaícanoistaکشتی بنانے والاcanoeist - organización geopolíticageopolitieke organisatiegeopolitical organisation지정학적 조직γεωπολιτική οργάνωσηorganisation géopolitiquegeopolitische Organisation + organización geopolítica지정학적 조직geopolitieke organisatieγεωπολιτική οργάνωσηgeopolitische Organisationجُغرافیائی سیاسیات تنظیمorganisation géopolitiquegeopolitical organisation + + نائب وزیر اعظمvice prime minister - マウス遺伝子muisgenoomMouseGeneγονίδιο ποντικιούgéin luicheMausgenom + چوہے کا نَسبہMouseGene + + تِجارتی اِدارہcompany + + raceدوڑ - bruto nationaal product per hoofd van de bevolkinggross domestic product per capitaακαθάριστο εγχώριο προϊόν κατά κεφαλήνolltáirgeacht intíre per capitaproduit intérieur brut par habitantBruttoinlandsprodukt pro Kopf + bruto nationaal product per hoofd van de bevolkingακαθάριστο εγχώριο προϊόν κατά κεφαλήνBruttoinlandsprodukt pro Kopfolltáirgeacht intíre per capitaمجموعی گھریلو پیداوار فی کسproduit intérieur brut par habitantgross domestic product per capitaفی کس جی ڈی پی قومی حدود کے اندر پیدا ہونے والی مارکیٹنگ اشیاء اور خدمات کے مجموعے کی پیمائش کرتا ہے ، جو اس علاقے میں رہنے والے ہر شخص کے لیے اوسط ہے + + skyscraperفلک بوس عمارت + + بین الاقوامی فٹ بال انجمن کی تقریبinternational football league event + + گٹار بجانے والا - WahldiagramElection Diagramεκλογικό διάγραμμαverkiezingen diagram + verkiezingen diagramεκλογικό διάγραμμαWahldiagramانتخابات کا خاکہElection Diagram + + موسیقی بنانے والاmusic composerایک شخص جو موسیقی تخلیق کرتا ہےa person who creates music. - QuoteZitatcitaat引用 + citaat引用ZitatاقتباسCitationQuote + + بلدیہmunicipalityایک انتظامی ادارہ جو نچلی سطح پر علاقائی اتحاد کو کنٹرول کرتا ہے، ایک یا چند مزید بستیوں کا انتظام کرتا ہےAn administrative body governing a territorial unity on the lower level, administering one or a few more settlements + + برف پر پھسلنے میں جِسمانی ورزِشوں کا مُقابلہ کا کھلاڑیBiathlete + + ٹی وی کی قسطtelevision episodeٹیلی ویژن ایپی سوڈ سیریل ٹیلی ویژن پروگرام کا ایک حصہ ہےA television episode is a part of serial television program. - アメリカン・フットボール・チームsquadra di football americanoAmerikaans football teamamerican football Team미식 축구 팀ομάδα αμερικανικού ποδοσφαίρουéquipe américaine de football américainAmerican-Football-Teamequipo de fútbol americano + 미식 축구 팀Amerikaans football teamομάδα αμερικανικού ποδοσφαίρουアメリカン・フットボール・チームAmerican-Football-Teamsquadra di football americanoامریکن فٹ بال ٹیمequipo de fútbol americanoéquipe américaine de football américainamerican football Team still imageStandbildimage fixestilstaand beeldA visual document that is not intended to be animated; equivalent to http://purl.org/dc/dcmitype/StillImage + + gridiron football playerگرڈیرون فٹ بال کھلاڑیGradiron football, also called North American football, is a family of soccer team games played primarily in the United States and Canada.گریڈیرون فٹ بال ، جسے شمالی امریکی فٹ بال بھی کہا جاتا ہے ، فٹ بال ٹیم کھیلوں کا ایک خاندان ہے جو بنیادی طور پر ریاستہائے متحدہ اور کینیڈا میں کھیلا جاتا ہے - Gaelische sporterGaelic games playerΓαελικός παίκτης παιχνιδιώνimreoir sa Chumann Lúthchleas Gaeljoueur de sports gaéliquesgälischen Sportspieler + Gaelische sporterΓαελικός παίκτης παιχνιδιώνgälischen Sportspielerimreoir sa Chumann Lúthchleas Gaelگیلک_کھیل_کا_کھلاڑیjoueur de sports gaéliquesGaelic games player + + معاہدہtreaty - 小説romannovellaromannovelνουβέλαúrscéalromanRomanA 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. + romanromanνουβέλα小説Romanúrscéalnovellaافسانهromannovelادبی نثر میں طویل داستان کی کتاب>http://en.wikipedia.org/wiki/Novel</ref>A 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. - スケート選手pattinatoreschaatserskaterπαγοδρόμοςscátálaíSchlittschuhläufer + schaatserπαγοδρόμοςスケート選手Schlittschuhläuferscátálaípattinatoreاسکیٹ کرنے والاskater - カーリング選手curlingspelercurler컬링 선수μπικουτίCurlingspieler + 컬링 선수curlingspelerμπικουτίカーリング選手Curlingspielerکرلنگ کا کھیل کھیلنے والاcurler + + رقص کرنے والا - governmental administrative regionstaatliche Verwaltungsregionrégion administrative d'étatgebied onder overheidsbestuurAn administrative body governing some territorial unity, in this case a governmental administrative body + gebied onder overheidsbestuurstaatliche Verwaltungsregionحکومتی انتظامی علاقہrégion administrative d'étatgovernmental administrative regionAn administrative body governing some territorial unity, in this case a governmental administrative bodyایک انتظامی ادارہ جو کچھ علاقائی وحدت کو کنٹرول کرتا ہے ، اس صورت میں ایک سرکاری انتظامی ادارہ ہے۔ + + capeخشکی کا وہ حصہ جو سمندر کے اندر تک چلا گیا ہو - 庭園havegiardinotuingardenκήποςgáirdínjardinGartenA 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) + havetuinκήπος庭園GartengáirdíngiardinoباغjardingardenA 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)باغ ایک منصوبہ بند جگہ ہے ، عام طور پر باہر ، ڈسپلے ، کاشت ، اور پودوں اور فطرت کی دیگر اقسام سے لطف اندوز ہونے کے لیے + (http://en.wikipedia.org/wiki/Garden) + + عالمی ثقافتی ورثہWorld Heritage Siteیونیسکو کی عالمی ثقافتی ورثہ سائٹ ایک ایسی جگہ ہے (جیسے جنگل، پہاڑ، جھیل، صحرا، یادگار، عمارت، کمپلیکس، یا شہر) جو اس فہرست میں شامل ہے جسے یونیسکو کی عالمی ثقافتی ورثہ کمیٹی کے زیر انتظام بین الاقوامی عالمی ثقافتی ورثہ پروگرام کے ذریعے برقرار رکھا جاتا ہے۔ 21 ریاستی پارٹیوں پر مشتمل ہے جنہیں ان کی جنرل اسمبلی چار سال کی مدت کے لیے منتخب کرتی ہے۔ عالمی ثقافتی ورثہ کی جگہ ثقافتی یا جسمانی اہمیت کی حامل جگہ ہےA 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. - artiest klassieke muziekclassical music artistκαλλιτέχνης κλασικής μουσικήςceoltóir clasaiceachartiste de musique classiqueKünstler der klassischen MusikΟ Λούντβιχ βαν Μπετόβεν,Γερμανός συνθέτης και πιανίστας,ήταν ένας σπουδαίος καλλιτέχνης της κλασικής μουσικής. + artiest klassieke muziekκαλλιτέχνης κλασικής μουσικήςKünstler der klassischen Musikceoltóir clasaiceachاعلی درجےکاموسیقی فنکارartiste de musique classiqueclassical music artistΟ Λούντβιχ βαν Μπετόβεν,Γερμανός συνθέτης και πιανίστας,ήταν ένας σπουδαίος καλλιτέχνης της κλασικής μουσικής.لڈوگ وان بیتھوون ، جرمن موسیقار اور پیانو بجانے والے ، کلاسیکی موسیقی کے ایک عظیم فنکار تھے۔ - 真核生物eucarionteeukaryooteukaryote진핵생물ευκαρυωτικόeocaróteucaryoteEukaryoten + eucarionte진핵생물eukaryootευκαρυωτικό真核生物Eukaryoteneocarótخلوی مادہeucaryoteeukaryote - profesor教授professorprofessorκαθηγητήςollamhprofesseurProfessor + professorprofesorκαθηγητής教授Professorollamhمعلمprofesseurprofessor - vice presidentvice presidentαντιπρόεδροςleasuachtaránvice présidentVizepräsident + vice presidentαντιπρόεδροςVizepräsidentleasuachtaránنائب صدرvice présidentvice president - 野球リーグliga de béisbollega di baseballhonkbal competitiebaseball league야구 리그πρωτάθλημα μπέιζμπολsraith daorchluicheligue de baseballBaseball-Ligaa group of sports teams that compete against each other in Baseball.ένα σύνολο από ομάδες μπέιζμπολ οι οποίες συναγωνίζονται μεταξύ τους. + liga de béisbol야구 리그honkbal competitieπρωτάθλημα μπέιζμπολ野球リーグBaseball-Ligasraith daorchluichelega di baseballبیس بال کی انجمنligue de baseballbaseball leaguea group of sports teams that compete against each other in Baseball.ένα σύνολο από ομάδες μπέιζμπολ οι οποίες συναγωνίζονται μεταξύ τους.کھیلوں کی ٹیموں کا ایک گروہ جو بیس بال میں ایک دوسرے کے خلاف مقابلہ کرتا ہے۔. - voormalige provincieHistorical provincecúige stairiúilAncienne provincehistorischer ProvinzA place which used to be a province. + voormalige provinciehistorischer Provinzcúige stairiúilتاریخی صوبہAncienne provinceHistorical provinceA place which used to be a province.یک ایسی جگہ جو ایک صوبہ ہوا کرتی تھی۔ - institución educativauddannelsesinstitutiononderwijsinstellingeducational institution교육 기관εκπαιδευτικό ίδρυμαétablissement d'enseignementBildungseinrichtung + institución educativa교육 기관uddannelsesinstitutiononderwijsinstellingεκπαιδευτικό ίδρυμαBildungseinrichtungتعلیمی ادارےétablissement d'enseignementeducational institution + + ٹیبل ٹینس کا کھلاڑیtable tennis playerکھلاڑی جو ٹیبل ٹینس کھیلتا ہےAthlete who plays table tennis + + gameکھیلa structured activity, usually undertaken for enjoyment and sometimes used as an educational toolایک ساختی سرگرمی ، جو عموما لطف اندوز ہونے کے لیے کی جاتی ہے اور بعض اوقات تعلیمی آلے کے طور پر استعمال ہوتی ہے۔ + + سالyear - estación espacialruimtestationspace station우주 정거장διαστημικός σταθμόςstáisiún spáisstation spatialeRaumstation + estación espacial우주 정거장ruimtestationδιαστημικός σταθμόςRaumstationstáisiún spáisخلائی اڈہstation spatialespace station + + تیز روسی شرابvodka - 星座constelacióncostellazionetakımyıldızısamenstelconstellation별자리αστερισμόςréaltbhuíonconstellationSternbildUna costellazione è ognuna delle 88 parti in cui la sfera celeste è convenzionalmente suddivisa allo scopo di mappare le stelle. + constelación별자리samenstelαστερισμός星座SternbildréaltbhuíoncostellazioneنکشترconstellationtakımyıldızıconstellationUna costellazione è ognuna delle 88 parti in cui la sfera celeste è convenzionalmente suddivisa allo scopo di mappare le stelle. - スキーヤーsciatoreskiërskierσκιέρsciálaískieurskifahrer + skiërσκιέρスキーヤーskifahrersciálaísciatoreاسکی بازskieurskier + + گیلک گیم پلیئر - politician spouseEhepartner eines Politikerpartner van een politicusσύζυγος πολιτικού + partner van een politicusσύζυγος πολιτικούEhepartner eines Politikerسیاستدان میاں بیویpolitician spouse - 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. + underground journalزیر زمین جریدہUnderground 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. + + خواتین کی انجمن کا باہمی مقابلہWomen's Tennis Association tournament - paintball competitiepaintball leagueκύπελλο paintballligue de paintballPaintball-Ligaa group of sports teams that compete against each other in Paintballένα γκρουπ αθλητικών ομάδων που ανταγωνίζονται στο paintball + paintball competitieκύπελλο paintballPaintball-Ligaپینٹبال انجمنligue de paintballpaintball leaguea group of sports teams that compete against each other in Paintballένα γκρουπ αθλητικών ομάδων που ανταγωνίζονται στο paintballکھیلوں کی ٹیموں کا ایک گروہ جو پینٹ بال(مصنوعي روغني گوليوں سے فوجي انداز کي جنگ لڑنے کي نقل) میں ایک دوسرے سے مقابلہ کرتا ہے۔ - ヒカゲノカズラ綱wolfsklauwclub moss석송강ΜούσκλιαlycopodiopsidaBärlapp + 석송강wolfsklauwΜούσκλιαヒカゲノカズラ綱Bärlappبغیر پُہولوں کا سدا بہار پوداlycopodiopsidaclub moss - composizione di musica classicacompositie klassieke muziekclassical music compositionσύνθεση κλασικής μουσικήςcomposition de musique classiqueKomposition klassischer MusikΗ σύνθεση κλασικής μουσικής μπορεί να πραγματοποιηθεί και με τη βοήθεια ειδικών προγραμμάτων στον υπολογιστή που χρησιμοποιούν συγκεκριμένο αλγόριθμο. + compositie klassieke muziekσύνθεση κλασικής μουσικήςKomposition klassischer Musikcomposizione di musica classicaروایتی موسیقی کی ترکیبcomposition de musique classiqueclassical music compositionΗ σύνθεση κλασικής μουσικής μπορεί να πραγματοποιηθεί και με τη βοήθεια ειδικών προγραμμάτων στον υπολογιστή που χρησιμοποιούν συγκεκριμένο αλγόριθμο.کلاسیکی موسیقی کی تشکیل کمپیوٹر پر خصوصی پروگراموں کی مدد سے کی جاسکتی ہے جو ایک مخصوص الگورتھم استعمال کرتے ہیں۔ - hockey clubHockeyvereinhockeyclub + hockey clubHockeyvereinhockeyclubہاکی کی تنظیم - 砂浜playastrandstrandpraiaplatjabeachplageStrandThe 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. + playastrandplatjastrand砂浜Strandpraiaساحل_سمندرplagebeachThe 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.پانی کے جسم کا ساحل ، خاص طور پر جب ریت بھرا یا کنکری + + موسیقی کے ریکارڈوں کی فہرستtrack listمیوزک ٹریکس کی فہرست، جیسے سی ڈی پرA list of music tracks, like on a CD + + پوشاک سازfashion designerلباس کی نئ وضع قطع ایجاد کرنے والا - ラクロスリーグlacrosse bondlacrosse leagueπρωτάθλημα χόκεϋ σε χόρτοligue de crosseLacrosse-Ligaa group of sports teams that compete against each other in Lacrosse. + lacrosse bondπρωτάθλημα χόκεϋ σε χόρτοラクロスリーグLacrosse-Ligaلیکروس انجمنligue de crosselacrosse leaguea group of sports teams that compete against each other in Lacrosse.کھیلوں کی ٹیموں کا ایک گروپ جو لیکروس لیگ میں ایک دوسرے کے خلاف مقابلہ کرتا ہے + + engineانجن + + طبی خصوصیتmedical specialty + + educational institutionتعلیمی ادارے - seriemoordenaarserial killerκατά συρροήν δολοφόνοςtueur en sérieSerienmörder + seriemoordenaarκατά συρροήν δολοφόνοςSerienmörderسلسلہ وار قاتلtueur en sérieserial killer + + soccer clubفٹ بال تنظیم + + جامع درس گاہuniversity - identifieridentificatorBezeichneridentifiant + identificatorBezeichnerشناخت کنندہidentifiantidentifier + + lieutenantفوجی افسر + + monasteryخانقاہ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.خانقاہ عمارت، یا عمارتوں کے کمپلیکس کی نشاندہی کرتی ہے، جس میں خانقاہوں کے گھریلو کوارٹرز اور کام کی جگہیں شامل ہیں، چاہے وہ راہب ہوں یا راہبائیں، اور چاہے وہ برادری میں رہ رہے ہوں یا اکیلے (حرمت والے)۔ خانقاہ میں عام طور پر نماز کے لیے مخصوص جگہ شامل ہوتی ہے جو ایک چیپل، گرجا گھر یا مندر ہو سکتا ہے، اور ایک تقریر کے طور پر بھی کام کر سکتا ہے۔ + + synagogueیہودیوں کی عبادت گاہA synagogue, sometimes spelt synagog, is a Jewish or Samaritan house of prayer.یہودیوں کی عبادت گاہ، ایک یہودی یا سامری نماز کا گھر ہے۔ - olympic eventolympische Veranstaltungολυμπικακό γεγονόςOlympisch evenement + Olympisch evenementολυμπικακό γεγονόςolympische Veranstaltungاولمپک کھیلوں کی تقریبévénement olympiqueolympic event - ディスコグラフィdiscografia dell'artistaartiest discografieartist discography음반δισκογραφία καλλιτέχνηdioscagrafaíocht an ealaíontóradiscogafía de artistaKünstler Diskografie + 음반artiest discografieδισκογραφία καλλιτέχνηディスコグラフィKünstler Diskografiedioscagrafaíocht an ealaíontóradiscografia dell'artistaفنکارکاریکارڈ نامہdiscogafía de artistaartist discography + + فائل سسٹمFile systemفائلوں میں درجہ بندی کا نظامFile classification system - 人口動態demografiedemographicsδημογραφίαdéimeagrafaicdémographieDemografiePopulation 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") + demografieδημογραφία人口動態DemografiedéimeagrafaicآبادیاتیdémographiedemographicsPopulation 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 + aartsbisschopErzbischofپادریوں کا سردارarchevêquearchbishop + + موٹر کھیل کا موسمmotorsport season + + modelنمائش کرنے والا + + Playwrightڈرامہ نگارA person who writes dramatic literature or drama.وہ شخص جو ڈرامائی ادب یا ڈرامہ لکھتا ہے۔ - formula one racingFormel-1 Rennenφόρμουλα ένας αγώναςFormule 1-r‎ace + Formule 1-r‎aceφόρμουλα ένας αγώναςFormel-1 Rennenفارمولا ون ریسنگformula one racing - sportevenementevento esportivosports eventévènement sportifSportereignisa event of competitive physical activity + sportevenementSportereignisevento esportivoکھیلوں کی تقریبévènement sportifsports eventa event of competitive physical activityمقابلتی جسمانی سرگرمی کا ایک واقعہ - lingwista言語学者linguïstlingüistalinguistγλωσσολόγοςteangeolaílinguisteSprachwissenschaftler + lingüistalinguïstlingwistaγλωσσολόγος言語学者Sprachwissenschaftlerteangeolaíماہر لسانیاتlinguistelinguist + + ستارguitarایک تار والا میوزیکل آلہ ، جس میں فنگر فنگر بورڈ ہوتا ہے ، عام طور پر کٹے ہوئے اطراف ، اور چھ یا بارہ تار ، انگلیوں یا پلیکٹرم سے توڑنے یا جھومنے سے بجائے جاتے ہیں۔Describes the guitar + + governmental administrative regionحکومتی انتظامی علاقہAn administrative body governing some territorial unity, in this case a governmental administrative bodyایک انتظامی ادارہ جو کچھ علاقائی وحدت کو کنٹرول کرتا ہے ، اس صورت میں ایک سرکاری انتظامی ادارہ ہے۔ - 彫刻家beeldhouwersculptorγλύπτηςdealbhóirsculpteurBildhauer + beeldhouwerγλύπτης彫刻家Bildhauerdealbhóirمجسمہ سازsculpteursculptor - RelationshipОтношение + RelationshipRelationОтношение + + lacrosse playerلیکروس کھلاڑی - papież教皇pauspope교황πάπαςpápapapePapst + 교황pauspapieżπάπας教皇Papstpápaرومن کیتہولک پادریpapepope + + ملازمین کی تنظیمملازمین کی تنظیم تاجروں کی ایک تنظیم ہے جو مزدور تعلقات کے میدان میں اپنے اعمال کو مربوط کرنے کے لیے مل کر کام کرتی ہے۔ - 化合物composto chimicochemisch componentcomposto químicochemical compound화합물χημική ένωσηcomhdhúileachproduit chimiquechemische Verbindung + 화합물chemisch componentχημική ένωση化合物chemische Verbindungcomhdhúileachcomposto chimicocomposto químicoکیمیائی مرکبproduit chimiquechemical compound - piwoビールcervezaølbirrabierbeer맥주μπύραbeoirbièreBier + cerveza맥주ølbierpiwoμπύραビールBierbeoirbirraہلکی شرابbièrebeer - period of artistic stylestijlperiodeKunst Zeitstil + stijlperiodeKunst Zeitstilفنکارانہ انداز کی مدتpériode de style artistiqueperiod of artistic style + + حیاتیاتی ریکارڈرز_پر_مبنی_ایک_فائلBiological database + + نمائندہagentایک ایجنٹ ایک ایسا ادارہ ہے جو کام کرتا ہے۔ اس کا مقصد شخص اور تنظیم کا فوق درجہ ہونا ہے۔Analogous to a foaf:Agent, an agent is an entity that acts. This is intended to be the super class of Person and Organisation. + + linguistماہر لسانیات - overseas departmentÜbersee-Departementdépartement outre meroverzees departement + overzees departementÜbersee-Departementبیرون ملک کے محکمےdépartement outre meroverseas department + + poetشاعر + + archipelagoجزیرہ نما - オーストラリアンフットボールチームsquadra di football australianoAustralian football teamaustralian football Teamποδοσφαιρική ομάδα αυστραλίαςÉquipe de Football AustralienAustralian Football Team + Australian football teamποδοσφαιρική ομάδα αυστραλίαςオーストラリアンフットボールチームAustralian Football Teamsquadra di football australianoآسٹریلوی فٹ بال ٹیمÉquipe de Football Australienaustralian football Team + + فارمولا ون ریسنگformula one racing - 堤防digadijkdikelevéeA dike is an elongated naturally occurring ridge or artificially constructed fill or wall, which regulates water levels + dijk堤防digaبندlevéedikeبند ایک لمبی قدرتی طور پر واقع رکاوٹ یا مصنوعی طور پر تعمیر شدہ ذخیرہ یا دیوار ہے ، جو پانی کی سطح کو کنٹرول کرتی ہے۔A dike is an elongated naturally occurring ridge or artificially constructed fill or wall, which regulates water levels - IntercommunalityInterkommunalitätintercommunalité + IntercommunalityInterkommunalitätintercommunalitéفرقہ واریت - Star сlusterЗвездное скопление + Star сlusterستارہ غولЗвездное скопление - Noble familyAdelsfamilieadelijk geslachtFamily deemed to be of noble descent + adelijk geslachtAdelsfamilieشریف خاندانFamille nobleNoble familyFamily deemed to be of noble descentFamille réputée d'ascendance nobleخاندان کو شریف النسل سمجھا جاتا ہے۔ - 世界遺産werelderfgoedWorld Heritage Site세계유산Μνημείο Παγκόσμιας Πολιτιστικής Κληρονομιάς (Πληροφορίες ΠΠΚ)Láithreán Oidhreachta Domhandasite du patrimoine mondialWeltkulturerbeA 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. + 세계유산werelderfgoedΜνημείο Παγκόσμιας Πολιτιστικής Κληρονομιάς (Πληροφορίες ΠΠΚ)世界遺産WeltkulturerbeLáithreán Oidhreachta Domhandaعالمی ثقافتی ورثہsite du patrimoine mondialWorld 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.یونیسکو کی عالمی ثقافتی ورثہ سائٹ ایک ایسی جگہ ہے (جیسے جنگل، پہاڑ، جھیل، صحرا، یادگار، عمارت، کمپلیکس، یا شہر) جو اس فہرست میں شامل ہے جسے یونیسکو کی عالمی ثقافتی ورثہ کمیٹی کے زیر انتظام بین الاقوامی عالمی ثقافتی ورثہ پروگرام کے ذریعے برقرار رکھا جاتا ہے۔ 21 ریاستی پارٹیوں پر مشتمل ہے جنہیں ان کی جنرل اسمبلی چار سال کی مدت کے لیے منتخب کرتی ہے۔ عالمی ثقافتی ورثہ کی جگہ ثقافتی یا جسمانی اہمیت کی حامل جگہ ہے - 漫画historietafumettostripverhaalcomic만화κινούμενα σχέδιαgreannánbande dessinéeComic + historieta만화stripverhaalκινούμενα σχέδια漫画Comicgreannánfumettoمزاحیہbande dessinéecomic + + career stationپیشہ تعیناتthis 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یہ کلاس کسی شخص کی زندگی میں کیریئر کا مرحلہ ہے ، جیسے ایک فٹ بال کھلاڑی ، جس نے کسی مخصوص کلب میں حاصل کردہ ٹائم اسپین ، میچز اور اہداف کے بارے میں معلومات رکھتے ہیں۔ - ski jumperSkispringerskispringer + ski jumperSkispringerskispringerہوا میں چھلانگ لگانے والا + + کَشید گاہbrewery + + چکیMillایک یونٹ آپریشن جو ٹھوس مواد کو چھوٹے ٹکڑوں میں توڑنے کے لیے ڈیزائن کیا گیا ہے۔a unit operation designed to break a solid material into smaller pieces - フランスの群arrondissementarrondissementarrondissementarrondissementAn 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 + arrondissementフランスの群arrondissementفرانس کا انتظامی ضلعarrondissementarrondissementAn administrative (France) or lawcourts (Netherlands) body governing a territorial unity on the intermediate level, between local and national levelایک انتظامی (فرانس) یا قانون کی عدالتیں (نیدرلینڈز) جو کہ علاقائی وحدت پر مقامی اور قومی سطح کے درمیان حکمرانی کرتی ہیںDas Wort Arrondissement dient zur Bezeichnung verschiedener Verwaltungsbezirke in Frankreich, Belgien, Kanada und anderen Ländern + + statisticشماریات - アメリカン・フットボール・リーグliga de fútbol americanolega di football americanoAmerikaanse voetbal competitieliga de futebol americanoamerican football league미식 축구 대회aμερικανικό πρωτάθλημα ποδοσφαίρουamerican football leagueAmerican-Football-Ligaliga de fútbol americanoA 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; + liga de fútbol americano미식 축구 대회Amerikaanse voetbal competitieaμερικανικό πρωτάθλημα ποδοσφαίρουアメリカン・フットボール・リーグAmerican-Football-Ligalega di football americanoliga de futebol americanoامریکن فٹ بال لیگliga de fútbol americanoamerican football leagueamerican 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; - スポーツチームsportteamsports teamομαδικά αθλήματαéquipe sportiveSportmannschaft + sportteamομαδικά αθλήματαスポーツチームSportmannschaftکھیل کی جماعتéquipe sportivesports team - オーストラリアン・フットボール・リーグliga de fútbol australianalega di football australianoaustralian football competitieliga de futebol australianoaustralian football league오스트레일리안 풋볼 리그αυστραλιανό πρωτάθλημα ποδοσφαίρουaustralian football leagueAustralian Football LeagueA group of sports teams that compete against each other in australian football.Μια ομάδα αθλητικών ομάδων που ανταγωνίζονται μεταξύ τους σε αυστραλιανό ποδόσφαιρο. + liga de fútbol australiana오스트레일리안 풋볼 리그australian football competitieαυστραλιανό πρωτάθλημα ποδοσφαίρουオーストラリアン・フットボール・リーグAustralian Football Leaguelega di football australianoliga de futebol australianoآسٹریلوی فٹ بال کی انجمنaustralian football leagueaustralian football leagueA group of sports teams that compete against each other in australian football.کھیلوں کی ٹیموں کا ایک گروپ جو آسٹریلین فٹ بال میں ایک دوسرے کے خلاف مقابلہ کرتا ہےΜια ομάδα αθλητικών ομάδων που ανταγωνίζονται μεταξύ τους σε αυστραλιανό ποδόσφαιρο. + + protected areaمحفوظ علاقہThis class should be used for protected nature. For enclosed neighbourhoods there is now class GatedCommunityیہ طبقہ 'محفوظ' حیثیت والے علاقوں کو ظاہر کرتا ہے - sieć emisyjnaネットワーク_(放送)emittenteomroeporganisatiebroadcast network브로드캐스트 네트워크δίκτυο ραδιοφωνικής μετάδοσηςlíonra craolacháinchaîne de télévision généralisteSendergruppeA 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)Ένα δίκτυο μετάδοσης είναι μια οργάνωση, όπως μια εταιρεία ή άλλη ένωση, που παρέχει ζωντανό ή μαγνητοσκοπημένο περιεχόμενο, όπως ταινίες, δελτία ειδήσεων, αθλητικά, και τα προγράμματα δημοσίων υποθέσεων για την εκπομπή πάνω από μια ομάδα ραδιοφωνικών ή τηλεοπτικών σταθμών + 브로드캐스트 네트워크omroeporganisatiesieć emisyjnaδίκτυο ραδιοφωνικής μετάδοσηςネットワーク_(放送)Sendergruppelíonra craolacháinemittenteنشریاتی جالchaîne de télévision généralistebroadcast 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)نشریاتی جال ایک تنظیم ہے ، جیسے کارپوریشن یا دیگر ایسوسی ایشن ، جو ریڈیو یا ٹیلی ویژن اسٹیشنوں کے گروپ پر نشر کرنے کے لیے لائیو یا ریکارڈ شدہ مواد ، جیسے فلمیں ، نیوز کاسٹ ، کھیل اور عوامی امور کے پروگرام مہیا کرتی ہے۔Ένα δίκτυο μετάδοσης είναι μια οργάνωση, όπως μια εταιρεία ή άλλη ένωση, που παρέχει ζωντανό ή μαγνητοσκοπημένο περιεχόμενο, όπως ταινίες, δελτία ειδήσεων, αθλητικά, και τα προγράμματα δημοσίων υποθέσεων για την εκπομπή πάνω από μια ομάδα ραδιοφωνικών ή τηλεοπτικών σταθμών - ノーベル賞Premio NobelPremio NobelNobelprijsNobel PrizeΒραβείο ΝόμπελDuais NobelPrix NobelNobelpreis + Premio NobelNobelprijsΒραβείο Νόμπελノーベル賞NobelpreisDuais NobelPremio Nobelاعلی انعامPrix NobelNobel Prize + + کائیmoss + + بس كا تِجارتی اِدارہbus company - Hokejska ekipahockeyploeghockey teamομάδα χόκεϊéquipe de hockeyHockeymannschaft + hockeyploegHokejska ekipaομάδα χόκεϊHockeymannschaftہاکی کھیل کی جماعتéquipe de hockeyhockey team - 殺人assasinomoordenaarmurderer연쇄 살인자δολοφόνοςdúnmharfóirassassinMörder + 연쇄 살인자moordenaarδολοφόνος殺人Mörderdúnmharfóirassasinoقاتلassassinmurderer + + deaneryعمید کا عہدہگرجا گھر کا حلقہ اور بشپ کے دائرہ اختیار کا حلقہ کے مابین علمی انتظامی ادارے کی انٹرمیڈیٹ سطح۔ - 勲章condecoraciónonorificenzaonderscheidingdecoration장식διακόσμησηdécorationAuszeichnungAn 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 . + condecoración장식onderscheidingδιακόσμηση勲章Auszeichnungonorificenzaسجاوٹdécorationdecorationایک شے ، جیسے تمغہ یا آرڈر ، جو وصول کنندہ کو عزت سے نوازنے کے لیے دیا جاتا ہے۔An 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 . - worstelevenementwrestling eventαγώνας πάληςmatch de catchWrestling-Veranstaltung + worstelevenementαγώνας πάληςWrestling-Veranstaltungکشتی کی تقریبmatch de catchwrestling event - 基礎自治体municipiogemeentemunicipalityδήμοςcommuneGemeindeAn 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 + municipiogemeenteδήμος基礎自治体GemeindeبلدیہcommunemunicipalityAn 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 + + artist discographyفنکارکاریکارڈ نامہ - mostbroponteসেতুbrugpontebridge다리γέφυραdroicheadpontBrückeA 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). + 다리broসেতুbrugmostγέφυραBrückedroicheadponteponteپلpontbridgeA 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).ایک پل ایک ایسا ڈھانچہ ہے جو جسمانی رکاوٹوں جیسے پانی ، وادی یا سڑک کی راہ میں رکاوٹ کو عبور کرنے کے مقصد سے بنایا گیا ہے - 地区districtkecamatandistrictπεριοχήceantararrondissementBezirkbagian wilayah administratif dibawah kabupaten + districtπεριοχή地区Bezirkceantarkecamatanضلعarrondissementdistrictbagian wilayah administratif dibawah kabupatenضلع کے تحت انتظامی علاقے کا حصہ - bergmontanhamountainΒουνόsliabhmontagneBerg + bergΒουνόBergsliabhmontanhaپہاڑmontagnemountain - montagne russeachtbaanroller coasterτρενάκι σε λούνα παρκrollchóstóirAchterbahn + achtbaanτρενάκι σε λούνα παρκAchterbahnrollchóstóirmontagne russeroller coaster - cykelløbcorsa ciclisticawielerwedstrijdcycling raceαγώνας ποδηλασίαςRadrennen + cykelløbwielerwedstrijdαγώνας ποδηλασίαςRadrennencorsa ciclisticaسائیکلنگ دوڑcourse cyclistecycling race - track listTitellisteλίστα κομματιώνlijst van nummersA list of music tracks, like on a CDEen lijst van nummers als op een CD album + lijst van nummersλίστα κομματιώνTitellisteموسیقی کے ریکارڈوں کی فہرستliste de pistestrack listA list of music tracks, like on a CDمیوزک ٹریکس کی فہرست، جیسے سی ڈی پرUne liste de pistes audio comme sur un CDEen lijst van nummers als op een CD album + + programming languageپروگرامنگ زبانایسی زبانیں جو کمپیوٹر کو ہدایات دینے میں معاون ہیں + + canadian football leagueکینیڈین فٹ بال لیگA group of sports teams that compete against each other in canadian football league.کھیلوں کی ٹیموں کا ایک گروپ جو کینیڈین فٹ بال لیگ میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں۔. - archiwumアーカイブarchivoArchiefArchiveαρχείοarchiveArchivCollection 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. + archivoArchiefarchiwumαρχείοアーカイブArchivمحفوظ شدہ دستاویزاتarchiveArchiveVerzameling van documenten rondom een persoon of organisatie.Η συλλογή των εγγράφων που σχετίζονται με ένα πρόσωπο ή οργανισμό.کسی شخص یا تنظیم سے متعلق دستاویزات کا مجموعCollection de documents appartenant à une personne ou une organisation.Collection of documents pertaining to a person or organisation. - låssluislockκλειδαριάglasécluseSchleuse + låssluisκλειδαριάSchleuseglasتالاécluselock - 洞窟grottagrotcavernacave동굴σπηλιάpluaisgrotteHöhle + 동굴grotσπηλιά洞窟Höhlepluaisgrottacavernaغارgrottecave + + cartoonکارٹون + + یک خلوی یا چند خلوی مادہ - håndboldholdsquadra di pallamanohandbal teamhandball teamομάδα χειροσφαίρισηςfoireann liathróid láimheéquipe de handballHandballmannschaft + håndboldholdhandbal teamομάδα χειροσφαίρισηςHandballmannschaftfoireann liathróid láimhesquadra di pallamanoہینڈ بال جماعتéquipe de handballhandball team + + زلزلہیہ زمین کی پرت میں اچانک توانائی کے اخراج کا نتیجہ ہے جو زلزلے کی لہروں کو پیدا کرتا ہے + + Conceptتصور - 科学者বিজ্ঞানীwetenschapperscientist과학자ΕπιστήμοναςeolaíscientifiqueWissenschaftler + 과학자বিজ্ঞানীwetenschapperΕπιστήμονας科学者Wissenschaftlereolaíسائنسدانscientifiquescientist + + historic placeتاریخی مقام + + سپریڈ شیٹمرتب و شمار یا معلومات کو کام میں لانےوالاایک کمپیوٹر پروگرام + + languageزبان - 喜劇作家または喜劇俳優komiekhumoristχιουμορίσταςhumoristeHumorist + komiekχιουμορίστας喜劇作家または喜劇俳優Humoristظریفhumoristehumorist - ウェブサイトwebsitewebsite웹사이트Ιστότοποςsuíomh idirlínsite webWebseitesitio web + 웹사이트websiteΙστότοποςウェブサイトWebseitesuíomh idirlínویب صفحات کا مجموعہsitio website webwebsite + + مسدود برادریGated community - リンパlymfelymphλέμφοςlimfelympheLymphe + lymfeλέμφοςリンパLymphelimfeسفید رنگ کے خلیوں پر مشتمل ایک بے رنگ سیالlymphelymph + + روشِ لباسfashionوقت یا انفرادی خاکے کے معیار کے مطابق لباس کی قسمtype or code of dressing, according to the standards of the time or individual design. + + celestial bodyجرم فلکی + + خریداری کرنے کے لیے مختص جگہshopping mall - TVディレクターtv-regisseurTelevision directorréalisateur de télévisionTV-Regisseura person who directs the activities involved in making a television program. + tv-regisseurTVディレクターTV-Regisseurٹی وی کا ہدایت کارréalisateur de télévisionTelevision directora person who directs the activities involved in making a television program.ایک شخص جو ٹیلی ویژن پروگرام بنانے میں شامل سرگرمیوں کی ہدایت کرتا ہے - proyecto de investigaciónonderzoeksprojectresearch projectερευνητικό έργοtionscadal taighdeprojet de rechercheForschungsprojektA research project is a scientific investigation, usually using scientific methods, to achieve defined objectives.Ένα ερευνητικό έργο είναι μια επιστημονική έρευνα, συνήθως με τη χρήση επιστημονικών μεθόδων, για την επίτευξη των καθορισμένων στόχων. + proyecto de investigaciónonderzoeksprojectερευνητικό έργοForschungsprojekttionscadal taighdeprojet de rechercheresearch projectA research project is a scientific investigation, usually using scientific methods, to achieve defined objectives.Ένα ερευνητικό έργο είναι μια επιστημονική έρευνα, συνήθως με τη χρήση επιστημονικών μεθόδων, για την επίτευξη των καθορισμένων στόχων. + + ماہر معاشیاتایک ماہر معاشیات معاشیات کے سماجی سائنس کے شعبے میں پیشہ ور ہوتا ہے + + عورتwoman + + جسمانی ساختanatomical structure - 地域streeklocalityτόποςceantarlocalitéGegend + streekτόπος地域Gegendceantarمحلہlocalitélocality - žival動物animaldyranimalezvieradieranimalanimal동물ζώοainmhíanimalTieranimal + animal동물zvieradyrdierživalζώο動物Tierainmhíanimaleanimalجانورanimalanimalanimal - 診療科specializzazione medicamedisch specialismemedical specialty진료과ιατρική ειδικότηταspécialité médicalemedizinisches Fachgebiet + 진료과medisch specialismeιατρική ειδικότητα診療科طبی خصوصیتspecializzazione medicaspécialité médicalemedical specialty + + clerical administrative regionعلمی انتظامی علاقہAn administrative body governing some territorial unity, in this case a clerical administrative bodyایک علمی انتظامی معاملات میں ایک انتظامی ادارہ جو کچھ علاقائی وحدت کو کنٹرول کرتا ہے - 大陸continentecontinentecontinentcontinent대륙ήπειροςilchríochcontinentKontinentUn 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. + continente대륙continentήπειρος大陸Kontinentilchríochcontinenteبراعظمcontinentcontinentبراعظم زمین کا ایک بڑا علاقہ ہے جو زمین کی پرت سے نکلا ہے ، درحقیقت یہ ان سب سے بڑی تقسیم ہے جس کے ساتھ ابھرتی ہوئی زمینیں تقسیم کی گئی ہیں۔Un 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. - 歌手zangerSingerΤραγουδιστήςamhránaíchanteurSängera person who sings.ένα άτομο που τραγουδά. + zangerΤραγουδιστής歌手SängeramhránaíگلوکارchanteurSingera person who sings.Tout chanteur(euse) (incluant soliste et choriste, interprète, chanteur-instrumentaliste, etc). Tout artiste solo qui compose et/ou fait partie d'un groupe.ένα άτομο που τραγουδά.ایک شخص جو گاتا ہے + + حرکت پذیر پیدل چلنے کا راستہtravellator - honkbalseizoenbaseball seasonσεζόν του μπέιζμπολséasúr daorchluichesaison de baseballBaseballsaison + honkbalseizoenσεζόν του μπέιζμπολBaseballsaisonséasúr daorchluicheبیس بال کا موسمsaison de baseballbaseball season + + بصری کھیلوں کی انجمنvideogames leagueکھیلوں کی ٹیموں کا ایک گروپ یا شخص جو بصری کھیلوں میں ایک دوسرے سے مقابلہ کرتا ہےA group of sports teams or person that compete against each other in videogames. + + کھیل کی سہولتsport facility + + سائنسدانscientist + + Politimandضابط شرطةपुलिस अधिकारीپولیس افسرPolizia ofizialaOfficier de policePolice Officer + + حیاتیاتی ریکارڈرز_پر_مبنی_ایک_فائلمختلف ڈیٹا بیس جس میں وہ معلومات ہوتی ہیں جو حیاتیات کی بنیادی حیاتیاتی خصوصیات کی نشاندہی کرتی ہیں۔ یہ معلومات حیاتیات کے بنیادی سیل ڈھانچے ، جیسے جینومکس اور پروٹومکس لائبریریوں کی لائبریریوں میں محفوظ ہے۔ - クリケットチームsquadra di cricketcricketteamcricket teamομάδα κρίκετfoireann cuircéidCricketmannschaft + cricketteamομάδα κρίκετクリケットチームCricketmannschaftfoireann cuircéidsquadra di cricketکرکٹ جماعتéquipe de cricketcricket team - Member of a Resistance MovementMitglied einer Widerstandorganisationlid van een verzetsorganisatie + lid van een verzetsorganisatieMitglied einer Widerstandorganisationمزاحمتی تحریک کے رکنMembre d'une organisation de résistanceMember of a Resistance Movement - military aircraftavion militairelegervliegtuigMilitärmaschine + legervliegtuigMilitärmaschineفوجی ہوائی جہازavion militairemilitary aircraft - アリーナstadiostadionarenaarena아레나παλαίστραarénastadionAn 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) + arenaarèneمیدانAn 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) + + Member of a Resistance Movementمزاحمتی تحریک کے رکن - futbol ligi sezonuvoetbalseizoensoccer league seasonπερίοδος κυπέλλου ποδοσφαίρουFußball-Liga Saison + voetbalseizoenπερίοδος κυπέλλου ποδοσφαίρουFußball-Liga Saisonانجمن فٹ بال موسمfutbol ligi sezonusoccer league season - 犯罪criminaldelinquentecrimineelcriminosocriminal범죄인εγκληματίαςcoirpeachcriminelVerbrecher + criminal범죄인crimineelεγκληματίας犯罪Verbrechercoirpeachdelinquentecriminosoمجرمcriminelcriminal + + جنینیات کا علم + + گاڑیautomobile - Disneyfiguurdisney characterχαρακτήρες της ντίσνευcarachtar DisneyDisneyfigur + Disneyfiguurχαρακτήρες της ντίσνευDisneyfigurcarachtar Disneyڈزنی کے کردارpersonnage de Disneydisney characterامریکی فلم اور اینی میٹیڈ فلمیں بنانے والی کمپنی کے بنائے ہوے کارٹون کردار + + گیلک_کھیل_کا_کھلاڑیGaelic games player + + ٹٹولنے والاBrowser + + cheeseپنیرA milk product prepared for human consumptionایک دودھ کی مصنوعات جو انسانی استعمال کے لیے تیار کی جاتی ہے۔ + + حاکم + + chemical compoundکیمیائی مرکب - nazwiskoachternaamsurname성씨επώνυμοsloinnenom de familleNachname + 성씨achternaamnazwiskoεπώνυμοNachnamesloinneعرفیتnom de famillesurnameخاندانی نام + + organعضواعضاء کی تمام اقسام اور سائز + + کھلی بھیڑOpen Swarm - ProtocolProtokollПротокол + ПротоколProtokollرابطے کا ضابطہProtocoleProtocol - ssak哺乳類mamíferopattedyrmammiferozoogdiermamíferomammalθηλαστικό ζώοmamachmammifèresäugetier + mamíferopattedyrzoogdierssakθηλαστικό ζώο哺乳類säugetiermamachmammiferomamíferoتھن والے جانورmammifèremammal + + flag - 医学geneeskundeMedicinemédecineMedizinThe science and art of healing the human body and identifying the causes of disease + geneeskunde医学MedizinدوائیmédecineMedicineThe science and art of healing the human body and identifying the causes of diseaseانسانی جسم کو ٹھیک کرنے اور بیماری کی وجوہات کی نشاندہی کرنے کا سائنس اور فن + + طیارہ اڑانے والا - 選挙elecciónelezioneverkiezingElection선거εκλογήtoghchánélectionWahl + elección선거verkiezingεκλογή選挙WahltoghchánelezioneانتخاباتélectionElection - telefon komórkowytelefono cellularemobiele telefoonсотавы тэлефонmobile phoneсотовый телефонtéléphone mobileMobiltelefon (Handy) + mobiele telefoonсотовый телефонtelefon komórkowyMobiltelefon (Handy)telefono cellulareсотавы тэлефонموبائل فونtéléphone mobilemobile phone - クレーターcraterekratercrateracraterκρατήραςcráitéarcratèreKrater + kraterκρατήραςクレーターKratercráitéarcraterecrateraدہانهcratèrecrater + + cinema (movie theater)سنیماA building for viewing films.فلم دیکھنے کے لیے ایک عمارت۔. - ボクシングリーグliga de boxeolega di pugilatobox competitieboxing league권투 리그πρωτάθλημα πυγμαχίαςsraith dornálaíochtaligue de boxeBox-LigaA group of sports teams or fighters that compete against each other in BoxingΜία διοργάνωση στην οποία μεμονωμένοι πυγμάχοι είτε ομάδες πυγμάχων συναγωνίζονται μεταξύ τους με σκοπό την νίκη. + liga de boxeo권투 리그box competitieπρωτάθλημα πυγμαχίαςボクシングリーグBox-Ligasraith dornálaíochtalega di pugilatoمکے بازی کھیل کی انجمنligue de boxeboxing leagueA group of sports teams or fighters that compete against each other in Boxingکھیلوں کی ٹیموں یا جنگجوؤں کا ایک گروپ جو مکے بازی میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں۔Μία διοργάνωση στην οποία μεμονωμένοι πυγμάχοι είτε ομάδες πυγμάχων συναγωνίζονται μεταξύ τους με σκοπό την νίκη. + + coniferصنوبر کی قِسم کا پوداعروقی (نالی دار)پودے ہیں ، بیج ایک شنک میں موجود ہوتے ہیں۔ وہ لکڑی کے پودے ہیں۔ + + محصولtax - district water boardwaterschapBezirkwasserwirtschaftsamtConservancy, governmental agency dedicated to surface water management + district water boardwaterschapBezirkwasserwirtschaftsamtپانی کا ضلعی اقتدارتحفظ ،سطحی پانی کے انتظام کے لیے وقف سرکاری ایجنسیConservancy, 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. + + horse trainerگھوڑا سدھانے والا + + FaraoفراعنہफिरौनFaraoiapharaonPharaohقدیم بادشاہوں کا ایک لقب + + Site of Special Scientific Interestخصوصی سائنسی دلچسپی کی سائٹخصوصی سائنسی دلچسپی کی سائٹ (SSSI) ایک تحفظ کا عہدہ ہے جو برطانیہ میں ایک محفوظ علاقے کی نشاندہی کرتا ہے۔ SSSIs سائٹ پر مبنی فطرت کے تحفظ سے متعلق قانون سازی کا بنیادی تعمیراتی حصہ ہیں اور برطانیہ میں بیشتر دیگر قانونی نوعیت/ارضیاتی تحفظ کے عہدہ ان پر مبنی ہیں، بشمول نیشنل نیچر ریزرو، رامسر سائٹس، خصوصی تحفظ کے علاقے، اور تحفظ کے خصوصی علاقے + + ماہر مصریات + + نقاشیPainting + + کیڑاinsect + + trainریل گاڑی + + canadian football Teamکینیڈین فٹ بال جماعت + + psychologistماہر نفسیات + + pretenderالزاعمदावेदारدکھاوا کرنے والاitxurakeriaprétendantePretender - 菌類hongosschimmelfungusμύκηταςfungasfungiPilz + hongosschimmelμύκητας菌類Pilzfungasfungiپھُپھُوندی + + کسی شخص (جاگیردار) یا سرکاری ادارے کے دائرہ اختیار کا قدیم علاقہancient area of jurisdiction of a person (feudal) or of a governmental bodyزیادہ تر اختیارات کی جاگیردارانہ شکلوں کے لیے ، لیکن مرکزی اختیار کی تاریخی شکلوں کے لیے بھی کام کر سکتا ہےMostly for feudal forms of authority, but can also serve for historical forms of centralised authority - voormalig landHistorical countrytír stairiúilancien payshistorischer LandA place which used to be a country. + voormalig landhistorischer Landtír stairiúilتاریخی ملکancien paysHistorical countryایک ایسی جگہ جو ایک ملک ہوا کرتی تھی۔ - samolot航空機aviónflyaereovliegtuig飛機aircraft비행기αεροσκάφοςaerárthachavionavionFlugzeugavión + avión비행기flyavionvliegtuigsamolotαεροσκάφος航空機Flugzeugaerárthachaereo飛機ہوائی جہازaviónavionaircraft - 一覧listelijstlistλίσταliostalisteListeA general list of items.une liste d'éléments.Een geordende verzameling objecten.Μια γενική λίστα από αντικείμενα. + listelijstλίστα一覧ListeliostaفہرستlistelistEen geordende verzameling objecten.Μια γενική λίστα από αντικείμενα.اشیاء کی عمومی فہرستune liste d'éléments.A general list of items. + + Producerمبدہa person who manages movies or music recordings.وہ شخص جو فلموں یا میوزک کی ریکارڈنگ کا انتظام کرتا ہے۔ - staatstateπολιτείαétatStaat + staatπολιτείαStaatریاستétatstate - キャラクターpersonage (fictie)fictional characterπλασματικός χαρακτήραςcarachtar ficseanúilpersonnage de fictionfiktiver Charakter + personage (fictie)πλασματικός χαρακτήραςキャラクターfiktiver Charaktercarachtar ficseanúilخیالی کردارpersonnage de fictionfictional character + + protohistorical periodقدیم تاریخی زمانہانسانوں کےمطالعہ تحریر کی ایجاد سے پہلےکی مدت + + blazoen (wapenschild)οικόσημο紋章記述WappenبلیزنBlasonBlazon + + Police Officerپولیس افسر - 蘚類muschiomossenmossβρύοcaonachmoussesLaubmoss + mossenβρύο蘚類Laubmosscaonachmuschioکائیmoussesmoss + + mosqueمسجدA mosque, sometimes spelt mosk, is a place of worship for followers of Islam.ایک مسجد اسلام کے پیروکاروں کے لیے عبادت گاہ ہے۔ - テニスリーグtennis competitietennis leagueΟμοσπονδία Αντισφαίρισηςsraith leadóigeligue de tennisTennisligaA group of sports teams or person that compete against each other in tennis. + tennis competitieΟμοσπονδία ΑντισφαίρισηςテニスリーグTennisligasraith leadóigeٹینس کی انجمنligue de tennistennis leagueA group of sports teams or person that compete against each other in tennis.کھیلوں کی ٹیموں کا ایک گروپ یا شخص جو ٹینس میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں - 生体物質biomolecolaBiomolecuulBiomolecule생체 분자βιομόριοbiomoléculeBiomolekülequivalent 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.Κάθε μόριο που παράγεται σε έναν ζωντανό οργανισμό. Συνήθως μεγαλομοριακές ενώσεις που χρησιμεύουν στην δομή και στο μεταβολισμό του κυττάρου. Πρωτεΐνες, νουκλεϊνικά οξέα, υδατάνθρακες και λιπίδια. + 생체 분자Biomolecuulβιομόριο生体物質Biomolekülbiomolecolaحیاتیاتی مرکباتbiomoléculeBiomoleculeequivalent 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.Κάθε μόριο που παράγεται σε έναν ζωντανό οργανισμό. Συνήθως μεγαλομοριακές ενώσεις που χρησιμεύουν στην δομή και στο μεταβολισμό του κυττάρου. Πρωτεΐνες, νουκλεϊνικά οξέα, υδατάνθρακες και λιπίδια.ایسے پیچدہ نامیاتی مالیکیولز جو زندگی کی بنیاد ہیں یعنی وہ زندہ اجسام کو تعمیر کرنے ، ان کو نشوونما کرنے اور برقرار رکھنے کے لیے ضروری ہوتے ہیں + + طبیبmedician + + sports managerکھیلوں کا منتظمAccording 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.فرانسیسی لیبل سب ساکر کے مطابق، ٹرینر شپ کا مطلب ہو سکتا ہے۔ تاہم، یہاں ایک اسپورٹس مینیجر کو اسپورٹنگ کلب کے بورڈ کے رکن سے تعبیر کیا جاتا ہے۔ + + archaeaآثار قدیمہ - estaciónstationestaçãostationΣταθμόςstáisiúnстанцияgareBahnhofPublic transport station (eg. railway station, metro station, bus station).Остановка общественного транспорта (например: железнодорожная станция, станция метро, автостанция). + estaciónstationстанцияΣταθμόςBahnhofstáisiúnestaçãoاڈاgarestationPublic transport station (eg. railway station, metro station, bus station).پبلک ٹرانسپورٹ اسٹیشن (مثلاً ریلوے اسٹیشن، میٹرو اسٹیشن، بس اسٹیشن)Остановка общественного транспорта (например: железнодорожная станция, станция метро, автостанция). - rivierrioriverποτάμιabhainnrivièreFlussa large natural stream + rivierποτάμιFlussabhainnriorivièrerivera large natural stream + + lockتالا - AlgorithmAlgorithmusAlgoritmeАлгоритм + AlgoritmeАлгоритмAlgorithmusحساب و شمارAlgorithmeAlgorithmایک عین قاعدہ (یا قواعد کا مجموعہ) جس میں وضاحت کی جاتی ہے کہ کسی مسئلے کو کیسے حل کیا جائے + + ٹی وی کا ہدایت کارTelevision directorایک شخص جو ٹیلی ویژن پروگرام بنانے میں شامل سرگرمیوں کی ہدایت کرتا ہےa person who directs the activities involved in making a television program. - organizacija組織organizaciónorganisationorganisatieorganizaçãoorganisation조직οργάνωσηОрганизацияorganisationOrganisation + organización조직organisationorganisatieorganizacijaОрганизацияοργάνωση組織Organisationorganizaçãoتنظیمorganisationorganisation + + articleجریدے کا نشر پارہ - 画像billedeafbeeldingimageíomháimageBildA document that contains a visual image + billedeafbeelding画像BildíomháتصویرimageimageA document that contains a visual imageایک دستاویز جس میں بصری عکس ہو۔ - コミックスのキャラクターstripfiguur (Amerikaans)personagem de quadrinhoscomics character만화애니 등장인물χαρακτήρας κινούμενων σχεδίωνpersonnage de bandes dessinéesComic Charakter + 만화애니 등장인물stripfiguur (Amerikaans)χαρακτήρας κινούμενων σχεδίωνコミックスのキャラクターComic Charakterpersonagem de quadrinhosمُضحِکہ خیزکردارpersonnage de bandes dessinéescomics character + + athletics playerپھُرتیلاکھلاڑی + + senatorسینیٹ کا رُکن + + آبادیاتیکسی جگہ کی آبادی۔ ان خصوصیات کا استعمال کرتا ہے: آبادی کی کل، سال (جب ماپا جاتا ہے، آبادی کا سال)، درجہ (اس جگہ کا ترتیب اس کے بہن بھائیوں کے درمیان ایک ہی سطح پر)، نام (علاقہ آبادی کے لحاظ سے ماپا جاتا ہے، جیسے: "مقام"، "میونسپلٹی" یا "کمیٹیٹ" + + فگر سکیٹر + + مجلس قانون سازparliament - tempiotempeltempleναόςteampalltempletempel + tempelναόςtempelteampalltempioمندرtempletemple + + handball leagueہینڈ بال کی انجمنa group of sports teams that compete against each other in Handballکھیلوں کی ٹیموں کا ایک گروپ جو ہینڈ بال میں ایک دوسرے کے خلاف مقابلہ کرتا ہے۔ + + ملاقاتmeetingریکارڈ رکھنے کے لیے ایک تقریب کے طور پر لوگوں کی باقاعدہ یا بے قاعدہ ملاقاتA regular or irregular meeting of people as an event to keep record of - チーズquesoostformaggiokaascheese치즈τυρίcáisfromageKäseA milk product prepared for human consumptionProducto lácteo preparado para el consumo humano + queso치즈ostkaasτυρίチーズKäsecáisformaggioپنیرfromagecheeseA milk product prepared for human consumptionایک دودھ کی مصنوعات جو انسانی استعمال کے لیے تیار کی جاتی ہے۔Producto lácteo preparado para el consumo humano - paardrijderhorse riderιππέαςmarcachcavalierReiter + paardrijderιππέαςReitermarcachگھڑ سوارcavalierhorse rider - miejsce立地lugarstedlekuaplaatsمكانlugarllocplaceπεριοχήáitlieuOrtImmobile things or locations.uma localização + lugarstedllocplaatsمكانmiejsceπεριοχή立地Ortáitlugarجگہlekualieuplaceغیر متحرک چیزیں یا مقامات۔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 + rest areaaire de reposrustplaatsRasthofA rest area is part of a Road, meant to stop and rest. More often than not, there is a filling stationUne aire de repos fait partie d'une route, destinée à s'arrêter et à se reposer. Le plus souvent, il y a une station-service + + Comedy Groupمزاحیہ گروہ + + Sports team memberکھیلوں کی جماعت کا رکنA member of an athletic team.ایتھلیٹک ٹیم کا رکن - 発生学embryologieembryology발생학εμβρυολογίαsutheolaíochtembryologieEmbryologie + 발생학embryologieεμβρυολογία発生学Embryologiesutheolaíochtجنینیات کا علمembryologieembryology + + ناشَرbroadcasterبراڈکاسٹر ایک ایسی تنظیم ہے جو ریڈیو یا ٹیلی ویژن پروگراموں کی پیداوار اور/یا ان کی ترسیل کے لیے ذمہ دار ہےA 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) + + airlineہوائی راستہہوائی جہازوں کے ذریعے سواریاں لے جانے والی تنظیم - 無知BilinmeyenOnbekendUnknownάγνωστοςanaithnidInconnuunbekannt + Onbekendάγνωστος無知unbekanntanaithnidنامعلومInconnuBilinmeyenUnknown - 出版社editoruitgeverpublisher출판사εκδότηςfoilsitheoiréditeurHerausgeberPublishing company + editor출판사uitgeverεκδότης出版社HerausgeberfoilsitheoirناشرéditeurpublisherPublishing companyشائع کرنے والے اشاعتی ادارہ - cross-country skierlanglauferSkilangläufer + cross-country skierlanglauferSkilangläuferکراس کنٹری اسکیئر + + planetسیارہ - storm surgeSturmflutstormvloedEen stormvloed is de grootschalige overstroming van een kustgebied onder invloed van de op elkaar inwerkende krachten van wind, getij en water + storm surgeطوفانی لہرSturmflutstormvloedEen stormvloed is de grootschalige overstroming van een kustgebied onder invloed van de op elkaar inwerkende krachten van wind, getij en water64-72 ناٹس (بیفورٹ اسکیل پر 11) اور بارش اور گرج چمک کے ساتھ ایک پرتشدد موسمی صورتحال + + پھولوں کا پوداflowering plant + + Akademisk personشخص أكاديميअकादमिक व्यक्तिتعلیمیPertsona AkademikoaPersonne académiqueAcademic Person - multi volume publicationmehrbändige Publikationmeerdelige publicatie + meerdelige publicatiemehrbändige Publikationکثیر حجم کی اشاعتpublication en plusieurs volumesmulti volume publication - toneelschrijverPlaywrightdrámadóirDramaturgeDramatikerA person who writes dramatic literature or drama. + toneelschrijverDramatikerdrámadóirڈرامہ نگارDramaturgePlaywrightA person who writes dramatic literature or drama.وہ شخص جو ڈرامائی ادب یا ڈرامہ لکھتا ہے۔ + + انتخابات کا خاکہ + + Historical provinceتاریخی صوبہA place which used to be a province.یک ایسی جگہ جو ایک صوبہ ہوا کرتی تھی۔ - 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). + route of transportationTransportwegVía de transporteنقل و حمل کا راستہA 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). + + دفتر کی مدتterm of office + + Pretenderدکھاوا کرنے والا - 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)μία περίοδος για μία αθλητική ομάδα + sport seizoenπερίοδος αθλητικής ομάδαςSport Team Saisonکھیلوں کی جماعت کا موسمsports team seasonA season for a particular sports team (as opposed to the season for the entire league that the team is in)μία περίοδος για μία αθλητική ομάδαایک خاص سپورٹس ٹیم کے لیے ایک موسم(جیسا کہ پوری لیگ کے موسم کے برعکس جس میں ٹیم ہے۔ - scuderia formula 1formule 1-teamformula 1 teamομάδα φόρμουλα 1Formel-1 Team + formule 1-teamομάδα φόρμουλα 1Formel-1 Teamscuderia formula 1فارمولا ون ٹیمformula 1 team + + وقت کی مدتtime period + + رواں زینہبجلی سے چلنے والی سیڑھی + + گالف کی انجمنgolf leagueگالف پلیئر جو گالف میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں۔Golfplayer that compete against each other in Golf + + بھورا بوناbrown dwarf + + asteroidکشودرگرہ - on-site mean of transportationVorortbeförderungsmittelstationair vervoermiddel + on-site mean of transportationVorortbeförderungsmittelstationair vervoermiddelکِسی موقع مقام پر نقل و حمل - 職務経歴書CVResumeΒιογραφικό σημείωμαLebenslaufA Resume describes a persons work experience and skill set.Een CV (curriculum vitae) beschrijft iemands werkervaring en vaardigheden. + CVΒιογραφικό σημείωμα職務経歴書Lebenslaufcurriculum vitaeResumeA Resume describes a persons work experience and skill set.Un curriculum vitae (CV) résume l'expérience d'une personne dans le travail ainsi que ses compétences.Een CV (curriculum vitae) beschrijft iemands werkervaring en vaardigheden. - 人工衛星kunstmatige satellietArtificialSatelliteτεχνητός δορυφόροςsatailít shaorgasatellite artificielkünstlicher SatellitIn 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. + kunstmatige satellietτεχνητός δορυφόρος人工衛星künstlicher Satellitsatailít shaorgaمصنوعی سیارہsatellite artificielArtificialSatelliteΣτο πλαίσιο των διαστημικών πτήσεων, ένας τεχνητός δορυφόρος είναι ένα τεχνητό αντικείμενο το οποίο εκ προθέσεως έχει τοποθετηθεί σε τροχιά.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.In the context of spaceflight, an artificial satellite is an artificial object which has been intentionally placed into orbit. - 緑藻alga verdegroenwierengreen algaπράσινο φύκοςalgue verteGrünalge + alga verdegroenwierenπράσινο φύκος緑藻Grünalgeسبز طحالبalgue vertegreen alga - skioordski resortθέρετρο σκιbaile sciálastation de skiSkigebietΤο θέρετρο σκι χρησιμοποιείται για να περιγράψει έναν τόπο διακοπών με τις απαραίτητες εγκαταστάσεις διαμονής και εξάσκησης του χειμερινού αθλήματος της χιονοδρομίας + skioordθέρετρο σκιSkigebietbaile sciálaپھسلن کھیل کا میدانstation de skiski resortΤο θέρετρο σκι χρησιμοποιείται για να περιγράψει έναν τόπο διακοπών με τις απαραίτητες εγκαταστάσεις διαμονής και εξάσκησης του χειμερινού αθλήματος της χιονοδρομίαςپھسلن کھیل میدان کا استعمال چھٹیوں کے مقام کو بیان کرنے کے لیے کیا جاتا ہے جس میں قیام اور اسکیئنگ کے موسم سرما کے کھیل کی مشق کے لیے ضروری سہولیات موجود ہیں + + کہکشاںgalaxy - ジャンルgénerogenregenreύφοςseánraGenre + génerogenreύφοςジャンルGenreseánraصنفgenregenre - 化学物質sostanza chimicachemische substantiesubstância químicachemical substance화학 물질χημική ουσίαceimiceánsubstance chimiquechemische Substanz + 화학 물질chemische substantieχημική ουσία化学物質chemische Substanzceimiceánsostanza chimicasubstância químicaکیمیائی مادہsubstance chimiquechemical substance + + عوامی راہداری کا نظامpublic transit systemعوامی راہداری کا نظام ایک مشترکہ عوامی نقل و حمل کی سروس ہے جو عام لوگوں کے استعمال کے لیے دستیاب ہے۔عوامی نقل و حمل کے طریقوں میں بسیں ، ٹرالی بسیں ، ٹرام اور ٹرینیں ، 'تیز رفتارراہداری' (میٹرو/زمین دوز برقی ریل/زیر زمین وغیرہ) اور فیری شامل ہیں۔A 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). + + والی بال کی انجمنvolleyball leagueکھیلوں کی ٹیموں کا ایک گروپ جو والی بال میں ایک دوسرے سے مقابلہ کرتے ہیںA group of sports teams that compete against each other in volleyball. - 陸上競技atletismoatletiekathleticsαθλητικάlúthchleasaíochtathlétismeLeichtathletik + atletismoatletiekαθλητικά陸上競技Leichtathletiklúthchleasaíochtکھیل کے متعلقathlétismeathletics + + برفانی ہاکی کی انجمنice hockey leagueکھیلوں کی ٹیموں کا ایک گروپ جو برفانی ہاکی میں ایک دوسرے سے مقابلہ کرتا ہےa group of sports teams that compete against each other in Ice Hockey. + + بین الاقوامی تنظیمinternational organisationایک بین الاقوامی تنظیم یا تو ایک نجی یا عوامی تنظیم ہے جو ملک کی سرحدوں سے اہداف حاصل کرنے کی کوشش کرتی ہے۔An international organisation is either a private or a public organisation seeking to accomplish goals across country borders - 記念碑gedenktekenmemorialμνημείοmémorialDenkmalA monument erected to commemorate a person, an event and/or group. In the case of a person, this might be a grave or tomb. + gedenktekenμνημείο記念碑DenkmalیادگارmémorialmemorialA monument erected to commemorate a person, an event and/or group. In the case of a person, this might be a grave or tomb.ایک قسم کا ڈھانچہ (ایک مجسمہ یا آرٹ آبجیکٹ) کسی شخص یا اہم واقعہ کی یاد میں بنایا گیا ، ضروری نہیں کہ تباہ کن نوعیت کا ہو + + placeجگہغیر متحرک چیزیں یا مقامات۔ + + فوجی گاڑیmilitary vehicle - 野球選手giocatore di baseballhonkballerjogador de basebolbaseball player야구 선수παίκτης μπέιζμπολimreoir daorchluichejoueur de baseballBaseballspielerΟ αθλητής (άνδρας ή γυναίκα) που συμμετέχει σε μία ομάδα μπέιζμπολ. + 야구 선수honkballerπαίκτης μπέιζμπολ野球選手Baseballspielerimreoir daorchluichegiocatore di baseballjogador de basebolبیس بال کا کھلاڑیjoueur de baseballbaseball playerΟ αθλητής (άνδρας ή γυναίκα) που συμμετέχει σε μία ομάδα μπέιζμπολ. + + national soccer clubقومی فٹ بال تنظیم + + گروہgroupلوگوں کا ایک غیر رسمی گروہAn (informal) group of people. + + آبادی والی جگہpopulated 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). + + competitionمقابلہ - 生命医科学研究者または医師medicomedicusmedicianγιατρόςMediziner + medicusγιατρός生命医科学研究者または医師Medizinermedicoطبیبmedician + + ڈزنی کے کردارامریکی فلم اور اینی میٹیڈ فلمیں بنانے والی کمپنی کے بنائے ہوے کارٹون کردار - wegtunnelroad tunnelΟδική σήραγγαtollán bóthairStraßentunnel + wegtunnelΟδική σήραγγαStraßentunneltollán bóthairtunnel routierroad tunnel - natuurlijke regionatural regionφυσική περιοχήrégion naturelleNaturraumH φυσική περιοχή χρησιμοποιείται για να περιγράψει την έκταση μιας γεωγραφικής περιοχής στην οποία η ανθρωπογενής παρέμβαση είναι ανύπαρκτη μέχρι ελάχιστη + natuurlijke regioφυσική περιοχήNaturraumقدرتی علاقہrégion naturellenatural regionH φυσική περιοχή χρησιμοποιείται για να περιγράψει την έκταση μιας γεωγραφικής περιοχής στην οποία η ανθρωπογενής παρέμβαση είναι ανύπαρκτη μέχρι ελάχιστηقدرتی رقبہ کا استعمال کسی جغرافیائی علاقے کی حد کو بیان کرنے کے لیے کیا جاتا ہے جس میں بشریات کی مداخلت کم از کم موجود نہیں ہوتی - national football league seasonNFL Saison + national football league seasonقومی فٹ بال لیگ کا موسمNFL Saison - 動物園zoodierentuinzooζωολογικός κήποςzooZoo + zoodierentuinζωολογικός κήπος動物園Zooچڑیا گھرzoozoo - cultuurgewascultivar (cultivated variety)재배 품종καλλιεργούμενη ποικιλίαsaothrógSorte ( kultivierte Sorte )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 + 재배 품종cultuurgewasκαλλιεργούμενη ποικιλίαSorte ( kultivierte Sorte )saothrógکاشت شدہ مختلف قسمcultivar (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 - castellokasteelcastle성 (건축)κάστροcaisleánchâteauburgCastles often are, but need not be a military structure. They can serve for status, pleasure and hunt as well. + 성 (건축)kasteelκάστροburgcaisleáncastelloقلعہchâteaucastleCastles often are, but need not be a military structure. They can serve for status, pleasure and hunt as well.قلعے اکثر ہوتے ہیں، لیکن فوجی ڈھانچہ ہونے کی ضرورت نہیں ہے۔ وہ حیثیت، خوشی اور شکار کے لیے بھی خدمت کر سکتے ہیں۔ + + american football coachامریکن فٹ بال کوچ + + agglomerationمجموعہ + + Playboy Playmateپلے بوائے پلے میٹپلے میٹ ایک خاتون ماڈل ہے جسے پلے بوائے میگزین کے سینٹر فولڈ/گیٹ فولڈ میں پلے میٹ آف دی منتھ کے طور پر دکھایا گیا ہے - vicepremiervice prime ministerαντιπρωθυπουργόςvice premier ministreVizeministerpräsident + vicepremierαντιπρωθυπουργόςنائب وزیر اعظمvice premier ministrevice prime minister - Glasbilo楽器Instrumentostrumento musicalemuziekinstrumentInstrument악기Μουσικό Όργανοuirlisinstrument de musiquemusikinstrumentDescribes all musical instrument + Instrumento악기muziekinstrumentGlasbiloΜουσικό Όργανο楽器musikinstrumentuirlisstrumento musicaleسازinstrument de musiqueInstrumentDescribes all musical instrumentتمام آلات موسیقی کو بیان کرتا ہے + + architectural structureتعمیراتی ڈھانچہAn architectural structure is a human-made, free-standing, immobile outdoor construction (http://en.wikipedia.org/wiki/Architectural_structure).یہ تعمیراتی ڈھانچے مواد سے بنے ہیں۔، آزادانہ ، غیر مستحکم بیرونی تعمیر۔ - 首長burgemeestermayorδήμαρχοςmaireBürgermeister + burgemeesterδήμαρχος首長Bürgermeisterشہر کا منتظمmairemayor - 写真家fotografofotograafphotographerφωτογράφοςphotographeFotograf + fotograafφωτογράφος写真家Fotograffotografoعکسی تصویر اتارنے والاphotographephotographer + + cricket leagueکرکٹ انجمنa group of sports teams that compete against each other in Cricketکھیلوں کی ٹیموں کا ایک گروپ جو کرکٹ میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں۔ - 種_(分類学)especiesartersoortspeciesείδοςspeiceasespèceSpezie + especiesartersoortείδος種_(分類学)Speziespeiceasقسمespècesspeciesدرجہ بندی کے نظام میں ایک زمرہA category in the rating system + + philosopherفلسفی - 銀行bancobancabankbancobankΤράπεζαbanqueBanka company which main services are banking or financial services. + bancobankΤράπεζα銀行Bankbancabancoبینکbanquebanka company which main services are banking or financial services.ایک تِجارتی اِدارہ جس کی اہم خدمات بینکنگ یا مالیاتی خدمات ہیں + + clericپادری + + CapitalدارالحکومتA municipality enjoying primary status in a state, country, province, or other region as its seat of government.ایک بلدیہ جو کسی ریاست، ملک، صوبے، یا دوسرے علاقے میں اپنی حکومت کی نشست کے طور پر بنیادی حیثیت سے لطف اندوز ہوتی ہے۔ - campo da golfgolfbaangolf courseγήπεδο γκολφcúrsa gailfGolfplatzΣε ένα γήπεδο γκολφ οι τρύπες συχνά κρύβουν κινδύνους, που ορίζονται ως ειδικές περιοχές για τις οποίες ισχύουν επιπρόσθετοι κανόνες διεξαγωγής του παιχνιδιού. + golfbaanγήπεδο γκολφGolfplatzcúrsa gailfcampo da golfگالف کا میدانterrain de golfgolf courseIn a golf course, holes often carry hazards, defined as special areas to which additional rules of the game apply.Dans un parcours de golf, les trous comportent souvent des dangers, définis comme des zones spéciales auxquelles s'appliquent des règles de jeu supplémentaires.Σε ένα γήπεδο γκολφ οι τρύπες συχνά κρύβουν κινδύνους, που ορίζονται ως ειδικές περιοχές για τις οποίες ισχύουν επιπρόσθετοι κανόνες διεξαγωγής του παιχνιδιού.زمین کا ایک علاقہ جس میں گولف کے لیے 9 یا 18 سوراخ ہوتے ہیں جن میں سے ہر ایک میں ٹی ، فیئر وے ، اور سبز اور اکثر ایک یا زیادہ قدرتی یا مصنوعی خطرات شامل ہیں۔ - جسے گولف لنکس بھی کہا جاتا ہے۔ + + lakeجھیل - ダムdigadamdamφράγμαdambabarrageDammΈνα φράγμα είναι μια κατασκευή που εμποδίζει, ανακατευθύνει ή επιβραδύνει την φυσική ροή υδάτων.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. + damφράγμαダムDammdambadigaڈیمbarragedamڈیم ایک ایسا ڈھانچہ ہے جو پانی کے قدرتی بہاؤ کو روکتا، ری ڈائریکٹ یا سست کر دیتا ہے۔Ένα φράγμα είναι μια κατασκευή που εμποδίζει, ανακατευθύνει ή επιβραδύνει την φυσική ροή υδάτων.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. + + نامname + + تھیٹر ہدایت کارTheatre directorتھیٹر کے میدان میں ایک ڈائریکٹر جو تھیٹر پروڈکشن کے بڑھتے ہوئے کام کی نگرانی اور آرکیسٹریٹ کرتا ہےA director in the theatre field who oversees and orchestrates the mounting of a theatre production. - テレビジョン放送局canal de televisióncanale televisivotelevisie zendertelevision stationτηλεοπτικός σταθμόςstáisiún teilifísechaînes de télévisionFernsehsenderA 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. + canal de televisióntelevisie zenderτηλεοπτικός σταθμόςテレビジョン放送局Fernsehsenderstáisiún teilifísecanale televisivoٹیلی ویژن مرکزchaînes de télévisiontelevision 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 (یا ABC 7، چینل 7)۔ براڈکاسٹنگ نیٹ ورک ABC کے ساتھ الجھن میں نہ پڑیں، جس میں بہت سے ٹیلی ویژن اسٹیشن ہیںΈνας τηλεοπτικός σταθμός έχει μια παράταξη.Για παράδειγμα ο τηλεοπτικός σταθμός 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. + country estateLandgutbuitenplaatsملک کی نشستA country seat is a rural patch of land owned by a land owner.Een buitenplaats is een landgoed.یک کنٹری سیٹ زمین کا ایک دیہی پیچ ہے جو زمین کے مالک کی ملکیت ہے + + رقبہareaکسی چیز کا علاقہArea 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) + + موسیقی کے ساتھ نقل یا اداکاریopera + + فوجی ڈھانچہmilitary structureایک فوجی ڈھانچہ جیسے قلعہ اور دیوار وغیرہA military structure such as a Castle, Fortress, Wall, etc. - レースraceraceαγώναςráscourseRennen + raceαγώναςレースRennenrásدوڑcourserace + + شراب خانہwinery + + موسیقی کا کامmusical work - 仕出し業者party service bedrijfCaterertraiteurPartyservice + party service bedrijf仕出し業者Partyserviceکھانا دینے والاtraiteurCaterer - befolket stedbebouwde omgevingتجمع سكانيpopulated placeπυκνοκατοικημένη περιοχήlieu habitébewohnter OrtAs 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).Πυκνοκατοικημένη περιοχή, είναι η περιοχή ή το μέρος με μεγάλο αριθμό κτιρίων και μεγάλο μόνιμο πληθυσμό, σε σύγκριση με την γεωγραφική περιοχή που καταλαμβάνει (μεγαλούπολη, πόλη ή χωριό). + befolket stedbebouwde omgevingتجمع سكانيπυκνοκατοικημένη περιοχήbewohnter Ortآبادی والی جگہlieu habitépopulated placeAs 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).Selon la définition du United States Geological Survey, un lieu peuplé est un lieu ou une zone avec des bâtiments regroupés ou dispersés et une population humaine permanente (agglomération, colonie, ville ou village) référencée par des coordonnées géographiques (http://en.wikipedia. org/wiki/Populated_place).جیسا کہ امریکہ نے بیان کیا ہے۔ ارضیاتی سروے ، ایک آبادی والی جگہ وہ جگہ یا علاقہ ہے جہاں گروہ یا بکھرے ہوئے عمارتیں اور مستقل انسانی آبادی (شہر ، بستی ، قصبہ یا گاؤں) ہو۔Πυκνοκατοικημένη περιοχή, είναι η περιοχή ή το μέρος με μεγάλο αριθμό κτιρίων και μεγάλο μόνιμο πληθυσμό, σε σύγκριση με την γεωγραφική περιοχή που καταλαμβάνει (μεγαλούπολη, πόλη ή χωριό). + + کتا + + Pandemicعالمی وباءGlobal epidemic of infectious diseaseمتعدی بیماری کی عالمی وبا - 自転車選手ciclistacyklistwielrennerciclistacyclist사이클 선수ποδηλάτηςrothaícyclisteRadfahrer + ciclista사이클 선수cyklistwielrennerποδηλάτης自転車選手Radfahrerrothaíciclistaسائیکل سوارcyclistecyclist + + حلقہ کا پادریvicar - rugby competitierugby leagueπρωτάθλημα rugbysraith rugbaíligue de rugbyRugby-LigaA group of sports teams that compete against each other in rugby. + rugby competitieπρωτάθλημα rugbyRugby-Ligasraith rugbaíligue de rugbyrugby leagueA group of sports teams that compete against each other in rugby. - allenatore di football americanoAmerikaanse football coachamerican football coachπροπονητής ράγκμπυentraineur de football américainAmerican-Football-Traineradestrador de fútbol americano + Amerikaanse football coachπροπονητής ράγκμπυAmerican-Football-Trainerallenatore di football americanoامریکن فٹ بال کوچadestrador de fútbol americanoentraineur de football américainamerican football coach - klub piłkarskiequipo de fútbolfodboldklubvoetbalclubclub de futbolsoccer clubομάδα ποδοσφαίρουclub sacairclub de footballFußballverein + equipo de fútbolfodboldklubclub de futbolvoetbalclubklub piłkarskiομάδα ποδοσφαίρουFußballvereinclub sacairفٹ بال تنظیمclub de footballsoccer club + + military personفوجی شخص - 歴史学者storicohistoricushistorianιστορικόςstaraíhistorienHistoriker + historicusιστορικός歴史学者Historikerstaraístoricoمورخhistorienhistorian - 小惑星asteroideasteroideasteroïdeasteróideasteroid소행성αστεροειδήςastaróideachastéroïdeAsteroid + asteroide소행성asteroïdeαστεροειδής小惑星Asteroidastaróideachasteroideasteróideکشودرگرہastéroïdeasteroid + + cameraتصویر کھینچنے کا آلہایک کیمرہ (اطالوی میں روایتی طور پر کیمرے کے نام سے جانا جاتا ہے) ایک ایسا آلہ ہے جو فوٹو گرافی کی شوٹنگ اور حقیقی اشیاء کی تصاویر حاصل کرنے کے لیے استعمال کیا جاتا ہے جو کاغذ پر چھپ سکتی ہیں یا الیکٹرانک میڈیا پر محفوظ کی جا سکتی ہیں۔ - ギター演奏者guitaristchitarristagitaristguitaristκιθαρίσταςgiotáraíguitaristeGitarrist + guitaristgitaristκιθαρίσταςギター演奏者Gitarristgiotáraíchitarristaستار بجانے والاguitaristeguitarist - 武器våbenwapenweapon무기όπλοarmarmeWaffe + 무기våbenwapenόπλο武器Waffearmہتھیارarmeweapon + + hockey teamہاکی کھیل کی جماعت + + مجموعی گھریلو پیداوار فی کسgross domestic product per capitaفی کس جی ڈی پی قومی حدود کے اندر پیدا ہونے والی مارکیٹنگ اشیاء اور خدمات کے مجموعے کی پیمائش کرتا ہے ، جو اس علاقے میں رہنے والے ہر شخص کے لیے اوسط ہے + + Catererکھانا دینے والا + + گاڑیوں کے مقابلے کا کھیلmotorsport racer + + Australian rules football playerآسٹریلوی رولز فٹ بال پلیئر + + بصری کھیلvideo gameبصری کھیل ایک الیکٹرانک گیم ہے جس میں ویڈیو ڈیوائس پر بصری تاثرات پیدا کرنے کے لیے صارف کے انٹرفیس کے ساتھ تعامل شامل ہوتا ہےA video game is an electronic game that involves interaction with a user interface to generate visual feedback on a video device. - jezioro호수meerlagolake호수λίμνηlochозероlacSee + 호수meerозероjezioroλίμνη호수Seelochlagoجھیلlaclake - 中尉luitenanttenentelieutenantυπολοχαγόςleifteanantlieutenantLeutnant + luitenantυπολοχαγός中尉Leutnantleifteananttenenteفوجی افسرlieutenantlieutenant + + churchگرجاThis is used for church buildings, not any other meaning of church.یہ چرچ کی عمارتوں کے لیے استعمال ہوتا ہے ، چرچ کا کوئی دوسرا مطلب نہیں۔ - 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 + mijn (delfstoffen))کانMine (Bergwerk)minemineA mine is a place where mineral resources are or were extractedکان ایک ایسی جگہ ہے جہاں معدنی وسائل ہیں یا نکالے گئے ہیں۔Une mine est un endroit où des ressources minérales sont, ou ont été extraites.Een mijn is een plaats waar delfstoffen worden of werden gewonnen + + برقی طاقت پیدا کرنے کا آلہbatteryبیٹری (قسم) گاڑیوں میں توانائی کے منبع کے طور پر استعمال ہوتی ہےThe battery (type) used as energy source in vehicles. + + Hormoneاعضاء کی خوراکA 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.ایک مادہ جو غدود سے نکل کر خون میں شامل ہوتا ہےاورگردش کے نظام کے ذریعے دور دراز کے اعضاء کو نشانہ بناتے ہیں تاکہ جسمانیات اور طرز عمل کو کنٹرول کریں - 文字letterletterγράμμαlitirlettreBuchstabeEin Buchstabe des Alphabets.A letter from the alphabet.Ene lettre de l'alphabet. + letterγράμμα文字BuchstabelitirحرفlettreletterEin Buchstabe des Alphabets.حروف تہجی سے ایک حرفA letter from the alphabet.Ene lettre de l'alphabet. - topical conceptcoincheap i mbéal an phobailthematisches Konzept + thematisches Konzeptcoincheap i mbéal an phobailموضوع کا تصورConcept thématiquetopical concept + + artistic genreفنکارانہ صنففن کی انواعGenres of art, e.g. Pointillist, Modernist + + معلوماتی آلاتinformation applianceمعلوماتی آلہ جیسے پی ڈی اے یا ویڈیو گیم کنسولز وغیرہAn information device such as PDAs or Video game consoles, etc. + + cyclistسائیکل سوار - dyscyplina naukowaacademische hoofdstudierichtingacademic subjectsujet académiqueakademisches Fachdisciplina académicaGenres 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. + academische hoofdstudierichtingdyscyplina naukowaakademisches Fachتعلیمی مضمونdisciplina académicasujet académiqueacademic 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. + + stadiumمعروف کھیلوں کے لیے مَخصُوص جگہ + + نظریہideologyمثال کے طور پر: ریاستہائے متحدہ میں ترقی پسندی، کلاسیکی لبرل ازمfor example: Progressivism_in_the_United_States, Classical_liberalism - 高貴なedelenobleευγενήςAdliger + edeleευγενής高貴なAdligerعظیمnoblenoble - 灯台vuurtorenlighthouseΦάροςteach solaisphareLeuchtturm + vuurtorenΦάρος灯台Leuchtturmteach solaisروشنی کا مینارpharelighthouse - microregiomicrorregiaomicro-regionμικρο-περιφέρειαMikroregionA microregion is a - mainy statistical - region in Brazil, at an administrative level between a meso-region and a communityΗ μικρο-περιφέρεια χρησιμοποιείται για να περιγράψει, κυρίως στατιστικά, μια περιοχή στη Βραζιλία σε διοικητικό επίπεδο μεταξύ μίας μεσο-περιφέρειας και μίας κοινότητα + microregioμικρο-περιφέρειαMikroregionmicrorregiaoچھوٹاعلاقہmicro-régionmicro-regionA microregion is a - mainy statistical - region in Brazil, at an administrative level between a meso-region and a communityمائیکرو ریجن برازیل میں ایک - بنیادی شماریاتی - خطہ ہے، انتظامی سطح پر ایک میسو ریجن اور کمیونٹی کے درمیانUne microrégion est - principalement du point de vue statistique - une région du Brésil, qui se trouve à un niveau administratif entre la mésorégion et la communautéΗ μικρο-περιφέρεια χρησιμοποιείται για να περιγράψει, κυρίως στατιστικά, μια περιοχή στη Βραζιλία σε διοικητικό επίπεδο μεταξύ μίας μεσο-περιφέρειας και μίας κοινότητα - parlementslidmembro do parlamentomember of parliamentΜέλος κοινοβουλίουmembre du ParlementParlamentsmitglied + parlementslidΜέλος κοινοβουλίουParlamentsmitgliedmembro do parlamentoرکن پارلیمنٹmembre du Parlementmember 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 + + period of artistic styleفنکارانہ انداز کی مدت + + Amerikansk lederامریکی رہنماAmerikako liderrachef américainAmerican Leader + + american football playerامریکی فٹ بال کھلاڑی + + فلمfilm - ワイン産地wijnstreekwine regionrégion viticoleWeinregion + wijnstreekワイン産地Weinregionشراب کا علاقہrégion viticolewine region - eclissi solarezonsverduisteringsolar eclipseέκλειψη ηλίουurú na gréineéclipse de soleilSonnenfinsternisΈκλειψη ηλίου ονομάζεται το φαινόμενο κατά το οποίο η Σελήνη παρεμβάλλεται ανάμεσα στον Ήλιο και τη Γη, με αποτέλεσμα ορισμένες περιοχές της Γης να δέχονται λιγότερο φως από ό,τι συνήθως. + zonsverduisteringέκλειψη ηλίουSonnenfinsternisurú na gréineeclissi solareسورج گرہنéclipse de soleilsolar eclipseΈκλειψη ηλίου ονομάζεται το φαινόμενο κατά το οποίο η Σελήνη παρεμβάλλεται ανάμεσα στον Ήλιο και τη Γη, με αποτέλεσμα ορισμένες περιοχές της Γης να δέχονται λιγότερο φως από ό,τι συνήθως.سورج گرہن ایک ایسا واقعہ ہے جس میں چاند سورج اور زمین کے درمیان مداخلت کرتا ہے، جس کی وجہ سے زمین کے کچھ علاقوں کو معمول سے کم روشنی ملتی ہے + + movie genreفلم کی صنف - skovbosforestforêtWaldA natural place more or less densely grown with trees + skovbosWaldجنگلforêtforestA natural place more or less densely grown with treesایک قدرتی جگہ جو کم و بیش درختوں کے ساتھ اگتی ہے۔ - bóstwogodheiddeity이집트 신θεότηταdiaGottheit + 이집트 신godheidbóstwoθεότηταGottheitdiaدیوتاdeity + + proteinلحمیات + + پیش کنندہpresenterٹی وی یا ریڈیو شو پیش کرنے والاTV or radio show presenter - 鉄道駅stazione ferroviariatreinstationtrain stationσιδηροδρομικός σταθμόςstáisiún traenachgareBahnhof + treinstationσιδηροδρομικός σταθμός鉄道駅Bahnhofstáisiún traenachstazione ferroviariagaretrain station + + AnimeانیمےA style of animation originating in Japanحرکت پذیری کا ایک انداز جاپان میں شروع ہوا۔ - 詩人dichterpoetποιητήςfilepoèteDichter + dichterποιητής詩人Dichterfileشاعرpoètepoet - biskup chrześcijańskivescovo cristianoChristelijk bisschopChristian Bishop기독교 주교Πληροφορίες ΕπισκόπουEaspag Críostaíévêque chrétienchristlicher Bischof + 기독교 주교Christelijk bisschopbiskup chrześcijańskiΠληροφορίες Επισκόπουchristlicher BischofEaspag Críostaívescovo cristianoعیسائی پادريévêque chrétienChristian Bishop - polo competitiepolo leagueΟμοσπονδία Υδατοσφαίρισηςsraith pólóligue de poloPolo-LigaA group of sports teams that compete against each other in Polo. + polo competitieΟμοσπονδία ΥδατοσφαίρισηςPolo-Ligasraith pólóپولو انجمنligue de polopolo leagueA group of sports teams that compete against each other in Polo.کھیلوں کی ٹیموں کا ایک گروہ جو پولو میں ایک دوسرے سے مقابلہ کرتا ہے۔ - 自動車競技リーグlega automobilisticaauto race competitieauto racing league자동차 경주 대회πρωτάθλημα αγώνων αυτοκινήτωνsraith rásaíochta charannala ligue de course automobileAuto Racing Leaguea group of sports teams or individual athletes that compete against each other in auto racingμια ομάδα αθλητικών ομάδων ή μεμονωμένων αθλητών που ανταγωνίζονται μεταξύ τους σε αγώνες αυτοκινήτων + 자동차 경주 대회auto race competitieπρωτάθλημα αγώνων αυτοκινήτων自動車競技リーグAuto Racing Leaguesraith rásaíochta charannalega automobilisticaگاڑیوں کی ریسوں کی انجمنla ligue de course automobileauto racing leaguea group of sports teams or individual athletes that compete against each other in auto racingμια ομάδα αθλητικών ομάδων ή μεμονωμένων αθλητών που ανταγωνίζονται μεταξύ τους σε αγώνες αυτοκινήτωνکھیلوں کی ٹیموں یا انفرادی کھلاڑیوں کا ایک گروپ جو آٹو ریسنگ میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں - plaats van geschiedkundig belanghistoric placeιστορικός χώροςáit stairiúilsite historiquehistorischer Ort + plaats van geschiedkundig belangιστορικός χώροςhistorischer Ortáit stairiúilتاریخی مقامsite historiquehistoric place + + ski resortپھسلن کھیل کا میدانپھسلن کھیل میدان کا استعمال چھٹیوں کے مقام کو بیان کرنے کے لیے کیا جاتا ہے جس میں قیام اور اسکیئنگ کے موسم سرما کے کھیل کی مشق کے لیے ضروری سہولیات موجود ہیں۔ + + poker playerپوکر کھلاڑی + + بے پھول کا بڑے پتوں والا پوداfern - 深度dybdedieptedepthβάθοςprofondeurTiefe + dybdediepteβάθος深度Tiefeگہرائیprofondeurdepth - Britanska kraljevska osebaイギリス王室reali britanniciBritse royaltyBritish royalty영국 왕족Βρετανική μοναρχίαroyauté BritanniqueBritisches Königshaus + 영국 왕족Britse royaltyBritanska kraljevska osebaΒρετανική μοναρχίαイギリス王室Britisches Königshausreali britanniciبرطانوی بادشاہیroyauté BritanniqueBritish royalty + + political functionسیاسی تقریب + + سلسلہ وار قاتلserial killer + + ٹی وی ڈرامہtelevision season + + Lawyerوکیلa person who is practicing law.ایک شخص جو قانون پر عمل پیرا ہے + + نسل یا خاندانtaxonomic groupپرجاتیوں کے لیے درجہ بندی کے نظام کے اندر ایک زمرہa category within a classification system for Species + + artistفنکار - テレビ番組司会者presentatore televisivotelevisie presentatortelevision hostπαρουσιαστής τηλεοπτικής εκπομπήςláithreoir teilifíseanimateur de télévisionFernsehmoderator + televisie presentatorπαρουσιαστής τηλεοπτικής εκπομπήςテレビ番組司会者Fernsehmoderatorláithreoir teilifísepresentatore televisivoٹی وی مزبانanimateur de télévisiontelevision host - 中国の漫画manhuamanhuamanhuamanhuaComics originally produced in ChinaAußerhalb Chinas wird der Begriff für Comics aus China verwendet.Manhua is het Chinese equivalent van het stripverhaalΚόμικς που παράγονται αρχικά στην Κίνα + manhuamanhua中国の漫画manhuaمانہواmanhuamanhuaManhua is het Chinese equivalent van het stripverhaalΚόμικς που παράγονται αρχικά στην ΚίναAußerhalb Chinas wird der Begriff für Comics aus China verwendet.کامکس اصل میں چین میں تیار کیے گئے تھےBandes dessinées produites initialement en ChineComics originally produced in China + + ڈیمڈیم ایک ایسا ڈھانچہ ہے جو پانی کے قدرتی بہاؤ کو روکتا، ری ڈائریکٹ یا سست کر دیتا ہے۔ + + گالف کا کھلاڑیgolf player + + جماعتی کھیلteam sportایک ٹیم کے کھیل کو عام طور پر ایک کھیل کے طور پر بیان کیا جاتا ہے جو مسابقتی ٹیموں کے ذریعہ کھیلا جاتا ہےA team sport is commonly defined as a sport that is being played by competing teams + + پہاڑی سلسلہmountain rangeپہاڑوں کی ایک زنجیر جو پہاڑوں سے متصل ہے یا دوسرے پہاڑوں سے راستوں یا وادیوں سے الگ ہےa chain of mountains bordered by highlands or separated from other mountains by passes or valleys. + + holidayچھٹیام تعطیل سول یا مذہبی جشن کا دن ہے ، یا کسی تقریب کی یاد میں + + ریاستہائے متحدہ کی سپریم کورٹ کیس - Serbatoio idrico a torreWatertorenWater towerπύργος νερούChâteau d'eauWasserturmμια κατασκευή σχεδιασμένη για αποθήκευση μεγάλων ποσοτήτων νερού σε μέρος με κάποια ανύψωση, ώστε να διατηρήσει πίεση στο σύστημα παροχής νερού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 + Watertorenπύργος νερούWasserturmSerbatoio idrico a torreبُرج آبChâteau d'eauWater 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 systemپانی کی فراہمی کے نظام پر دباؤ برقرار رکھنے کے لیے کچھ بلندی کی جگہ پر پانی کی بڑی مقدار کو ذخیرہ کرنے کے لیے ڈیزائن کیا گیا ایک تعمیرune 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 - figura mitologicamythologisch figuurmythological figureμυθικό πλάσμαmythologische Gestalt + mythologisch figuurμυθικό πλάσμαmythologische Gestaltfigura mitologicaافسانوی شکلpersonnage mythologiquemythological figure - voormalige regioHistorical regionréigiún stairiúilAncienne régionhistorischer Regiona place which used to be a region. + voormalige regiohistorischer Regionréigiún stairiúilتاریخی علاقہAncienne régionHistorical regiona place which used to be a region.Lieu qui était autrefois une région.ایک ایسی جگہ جو ایک علاقہ ہوا کرتی تھی + + lighthouseروشنی کا مینار - stavba建築物edificiobygningedificiogebouwbuilding건축물κτίριοfoirgneamhbâtimentGebäudeBuilding 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). + edificio건축물bygninggebouwstavbaκτίριο建築物GebäudefoirgneamhedificioعمارتbâtimentbuildingBuilding 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).عمارت کو سول انجینئرنگ ڈھانچے سے تعبیر کیا جاتا ہے جیسے مکان ، عبادت گاہ ، فیکٹری وغیرہ جس کی بنیاد ، دیوار ، چھت وغیرہ ہوتی ہے جو انسان اور ان کی خصوصیات کو موسم کے براہ راست سخت اثرات جیسے بارش ، ہوا ، سورج وغیرہ سے محفوظ رکھتی ہے۔ - 宇宙飛行士astronautaastronautaruimtevaarderastronautaastronaut우주인αστροναύτηςspásaireastronauteAstronaut + astronauta우주인ruimtevaarderαστροναύτης宇宙飛行士Astronautspásaireastronautaastronautaخلا بازastronauteastronaut + + soccer tournomentفٹ بال باہمی مقابلہ - 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 + Mixed Kampfkunst Ligasraith ealaíona comhraic meascthaمخلوط مارشل آرٹس کی انجمنligue d'arts martiaux mixtesmixed martial arts leaguea 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 + moving imageمتحرک فلمBewegtbilderbewegend beeldA visual document that is intended to be animated; equivalent to http://purl.org/dc/dcmitype/MovingImageایک بصری دستاویز جس کا مقصد متحرک ہونا ہے - term of officeAmtsdauermandatambtstermijn + ambtstermijnAmtsdauerدفتر کی مدتmandatterm of office + + Jødisk lederزعيم يهوديयहूदी नेताیہودی رہنماBuruzagi juduachef juifJewishLeader + + آجرآجر وہ ہے جو ملازمت کے معاہدے کی وجہ سے ملازم سے کام کا مطالبہ کر سکتا ہے اور جس پر اجرت واجب الادا ہے۔ - 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 + 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 staatکسی شخص (جاگیردار) یا سرکاری ادارے کے دائرہ اختیار کا قدیم علاقہMostly for feudal forms of authority, but can also serve for historical forms of centralised authorityزیادہ تر اختیارات کی جاگیردارانہ شکلوں کے لیے ، لیکن مرکزی اختیار کی تاریخی شکلوں کے لیے بھی کام کر سکتا ہے + + فوجی خدماتmilitary service + + launch padمیزائل چلانے کی جگہ - 行政区画regione amministrativabestuurlijk gebied行政區administrative region관리 지역διοικητική περιφέρειαréigiún riaracháinrégion administrativeVerwaltungsregionrexión administrativaA PopulatedPlace under the jurisdiction of an administrative body. This body may administer either a whole region or one or more adjacent Settlements (town administration) + 관리 지역bestuurlijk gebiedδιοικητική περιφέρεια行政区画Verwaltungsregionréigiún riaracháinregione amministrativa行政區انتظامی علاقہrexión administrativarégion administrativeadministrative 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)(نتظامی علاقہ)انتظامی ادارے کے دائرہ اختیار میں ایک آبادی والی جگہ۔ یہ ادارہ یا تو ایک پورے علاقے یا ایک یا اس سے ملحقہ بستیوں کا انتظام کر سکتا ہے + + districtضلعضلع کے تحت انتظامی علاقے کا حصہ + + برقی ذیلی مرکزبرقی ذیلی مرکزوولٹیج کو زیادہ سے کم، یا برعکس میں تبدیل کرتے ہیں۔ + + motor raceکار دوڑ + + horse riderگھڑ سوار - culturistabodybuilderbodybuilder보디빌더culturisteBodybuilder + 보디빌더bodybuilderBodybuilderculturistaتن سازculturistebodybuilder - シングルsinglesingle싱글singlesingilsingleSingleIn music, a single or record single is a type of release, typically a recording of fewer tracks than an LP or a CD. + 싱글singlesingleシングルSinglesingilسنگلsinglesingleIn music, a single or record single is a type of release, typically a recording of fewer tracks than an LP or a CD.En musique, un single ou encore un disque 45 tours est un format de diffusion; c'est typiquement un enregistrement de quelques pistes dont le nombre est plus petit que pour un LP (un disque 33 tours) ou un CD.موسیقی میں، سنگل یا ریکارڈ سنگل ریلیز کی ایک قسم ہے، عام طور پر ایل پی یا سی ڈی سے کم ٹریک کی ریکارڈنگ - softball competitiesoftball leagueπρωτάθλημα σόφτμπολsraith bogliathróideligue de softballSoftball LigaA group of sports teams that compete against each other in softball.Ομάδες που ανταγωνίζονται στο αγώνισμα του σόφτμπολ. + softball competitieπρωτάθλημα σόφτμπολSoftball Ligasraith bogliathróideسافٹ بال انجمنligue de softballsoftball leagueA group of sports teams that compete against each other in softball.کھیلوں کی ٹیموں کا ایک گروپ جو سافٹ بال میں ایک دوسرے سے مقابلہ کرتا ہےΟμάδες που ανταγωνίζονται στο αγώνισμα του σόφτμπολ. - カジノcasinocasinòcasinocasino카지노καζίνοcasinoKasinoIn 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. + casino카지노casinoκαζίνοカジノKasinocasinòرقص گاہcasinocasinoIn 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. - カートゥーンcartone animatospotprentcartoon카툰 (만화)σατυρικό σκίτσοcartúndessin animéKarikatur + cartoondessin animéکارٹون + + کتابbook - コンテストwedstrijdcontestδιαγωνισμόςcomórtasconcoursWettbewerb + wedstrijdδιαγωνισμόςコンテストWettbewerbcomórtasتکرار کرناconcourscontest - 宇宙機ruimtevaartuigspacecraft우주선διαστημόπλοιοspásárthachvaisseau spatialRaumfahrzeug + 우주선ruimtevaartuigδιαστημόπλοιο宇宙機Raumfahrzeugspásárthachخلائی جہازvaisseau spatialspacecraft + + beach volleyball playerساحل سمندروالی بال کاکھلاڑی + + غار + + جراثیمbacteria + + سابق بلدیہone-time municipalityایک بلدیہ جس کا وجود ختم ہو گیا ہے، اور زیادہ تر وقت کسی دوسری بلدیہ میں (تھوک یا جزوی طور پر) شامل ہو گیا ہےA municipality that has ceased to exist, and most of the time got incorporated (wholesale or partly) into another municipality + + تن سازbodybuilder + + پَوَن چکّی کی طرح کی کّلWind motorہوا سے چلنے والی ٹربائن جو خود کو ہوا کی سمت اور ہوا کی طاقت کے مطابق ڈھال لیتی ہے۔ ونڈ مل کے ساتھ عام فیکٹر کے طور پر ہوا کے باوجود، اپنی ذات میں ایک طبقہ سمجھا جاتا ہےA 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. - radiopresentatorradio hostοικοδεσπότης ραδιοφώνουláithreoir raidióRadiomoderator + radiopresentatorοικοδεσπότης ραδιοφώνουRadiomoderatorláithreoir raidióprésentateur radioradio host - mixed martial arts eventimeacht ealaíona comhraic meascthaMixed Kampfkunst Veranstaltungévènement d'arts martiaux mixtes + Mixed Kampfkunst Veranstaltungimeacht ealaíona comhraic meascthaمخلوط جنگ جو آرٹس تقریبévènement d'arts martiaux mixtesmixed martial arts event + + venueپنڈال - テレビゲームvideojuegocomputerspilvideospelvideojogovideo game비디오 게임βιντεοπαιχνίδιfíschluichejeux vidéoVideospielA video game is an electronic game that involves interaction with a user interface to generate visual feedback on a video device. + videojuego비디오 게임computerspilvideospelβιντεοπαιχνίδιテレビゲームVideospielfíschluichevideojogoبصری کھیلjeux vidéovideo gameA video game is an electronic game that involves interaction with a user interface to generate visual feedback on a video device.بصری کھیل ایک الیکٹرانک گیم ہے جس میں ویڈیو ڈیوائس پر بصری تاثرات پیدا کرنے کے لیے صارف کے انٹرفیس کے ساتھ تعامل شامل ہوتا ہے - 知事gouverneurgovernorκυβερνήτηςgobharnóirgouverneurGouverneur + gouverneurκυβερνήτης知事Gouverneurgobharnóirحاکمgouverneurgovernor + + surnameعرفیتخاندانی نام - vakbondtrade unionΚουτί πληροφοριών ένωσηςceardchumannsyndicat professionnelGewerkschaftA trade union or labor union is an organization of workers who have banded together to achieve common goals such as better working conditions. + vakbondΚουτί πληροφοριών ένωσηςGewerkschaftceardchumannمزدوروں کا اتحادsyndicat professionneltrade unionA trade union or labor union is an organization of workers who have banded together to achieve common goals such as better working conditions.مزدوروں کا اتحاد مزدوروں کی ایک تنظیم ہے جو کام کے بہتر حالات جیسے مشترکہ اہداف کو حاصل کرنے کے لیے اکٹھے ہوئے ہیں - cargo públicoambtsdrageroffice holder공직자κάτοχος δημόσιου αξιώματοςtitulaireAmtsinhaber + cargo público공직자ambtsdragerκάτοχος δημόσιου αξιώματοςAmtsinhaberعہدے دارtitulaireoffice holder - typetypeτύποςcineálrégime de classificationTypa category within a classification systemcategorie binnen een classificatiesysteem + typeτύποςTypcineálقسمrégime de classificationtypea category within a classification systemدرجہ بندی کے نظام میں ایک زمرہcategorie binnen een classificatiesysteem - militair bouwwerkmilitary structure군사 건축물Στρατιωτική Δομήmilitärisches BauwerkA military structure such as a Castle, Fortress, Wall, etc. + 군사 건축물militair bouwwerkΣτρατιωτική Δομήmilitärisches Bauwerkفوجی ڈھانچہstructure militairemilitary structureA military structure such as a Castle, Fortress, Wall, etc.Une structure miltaire telle qu'un château, une forteresse, des remparts, etc.ایک فوجی ڈھانچہ جیسے قلعہ اور دیوار وغیرہ - ドキュメントdokumentdocumentodocumentdocumentέγγραφοcáipéisdocumentDokumentAny document + dokumentdocumentέγγραφοドキュメントDokumentcáipéisdocumentoدستاویزdocumentdocumentکوئی بھی دستاویز۔Any document + + خاندانfamilyعام نسل سے متعلق لوگوں کا ایک گروہ ، ایک نسبA group of people related by common descent, a lineage. + + خون کی شریانblood vessel + + انگورgrape + + سرگرمیactivity + + قلعہcastleCastles often are, but need not be a military structure. They can serve for status, pleasure and hunt as well.قلعے اکثر ہوتے ہیں، لیکن فوجی ڈھانچہ ہونے کی ضرورت نہیں ہے۔ وہ حیثیت، خوشی اور شکار کے لیے بھی خدمت کر سکتے ہیں - クリケットリーグliga de cricketcricket competitiecricket league크리켓 대회κύπελλο κρικετsraith cruicéidligue de cricketCricket-Ligaa group of sports teams that compete against each other in Cricket + liga de cricket크리켓 대회cricket competitieκύπελλο κρικετクリケットリーグCricket-Ligasraith cruicéidکرکٹ انجمنligue de cricketcricket leaguea group of sports teams that compete against each other in Cricketکھیلوں کی ٹیموں کا ایک گروپ جو کرکٹ میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں۔ - rugby clubrugby clubομάδα ράγκμπιclub rugbaíclub de rugbyRugby-Club + rugby clubομάδα ράγκμπιRugby-Clubclub rugbaíclub de rugbyrugby club + + بوبسلیگ ایتھلیٹ + + collegeمدرسہ + + swimmerتیراکa trained athlete who participates in swimming meetsایک تربیت یافتہ کھلاڑی جو تیراکی کے مقابلوں میں حصہ لیتا ہے - bergketencadeia montanhosamountain range산맥Οροσειράchaîne de montagneBergkettea chain of mountains bordered by highlands or separated from other mountains by passes or valleys. + 산맥bergketenΟροσειράBergkettecadeia montanhosaپہاڑی سلسلہchaîne de montagnemountain rangea chain of mountains bordered by highlands or separated from other mountains by passes or valleys.پہاڑوں کی ایک زنجیر جو پہاڑوں سے متصل ہے یا دوسرے پہاڑوں سے راستوں یا وادیوں سے الگ ہے۔. + + فارمولا ون ٹیمformula 1 team - オージーフットボール選手giocatore di football australianoAustralian football-spelerAustralian rules football player오스트레일리아식 풋볼 선수αυστραλιανοί κανόνες ποδοσφαιριστήAustralian Rules Football-Spieler + 오스트레일리아식 풋볼 선수Australian football-spelerαυστραλιανοί κανόνες ποδοσφαιριστήオージーフットボール選手Australian Rules Football-Spielergiocatore di football australianoآسٹریلوی رولز فٹ بال پلیئرAustralian rules football player - バスケットボール選手Basquetbolistagiocatore di pallacanestrobasketbal spelerbasketball player농구 선수παίκτης καλαθοσφαίρισηςimreoir cispheilejoueur de basketballBasketballspielerΈνας αθλητής (άνδρας ή γυναίκα) που ασχολείται με το άθλημα της καλαθοσφαίρισης. + Basquetbolista농구 선수basketbal spelerπαίκτης καλαθοσφαίρισηςバスケットボール選手Basketballspielerimreoir cispheilegiocatore di pallacanestroباسکٹ بال کھلاڑیjoueur de basketballbasketball playerΈνας αθλητής (άνδρας ή γυναίκα) που ασχολείται με το άθλημα της καλαθοσφαίρισης. - 宰相cancillercancellierekanselierchancelerchancellor재상καγκελάριοςseansailéirchancelierKanzler + canciller재상kanselierκαγκελάριος宰相Kanzlerseansailéircancellierechancelerمشیرchancelierchancellor - rechtzaakcaso jurídicoLegal Caseνομική υπόθεσηcas juridiqueRechtsfall + rechtzaakνομική υπόθεσηRechtsfallcaso jurídicoقانونی مقدمہcas juridiqueLegal Case + + Capital of regionعلاقے کا دارالحکومتفرسٹ آرڈر ایڈمنسٹریشن ڈویژن کی نشست۔seat of a first order administration division. - 甲殻類schaaldiercrustacean갑각류αστρακόδερμοcrústachcrustacésKrebstier + 갑각류schaaldierαστρακόδερμο甲殻類Krebstiercrústachخول دارجانورcrustacéscrustacean - 放送事業者emittenteomroepالشبكةbroadcaster방송εκφωνητήςcraoltóirdiffuseurRundfunkveranstalterA 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) + 방송omroepالشبكةεκφωνητής放送事業者RundfunkveranstaltercraoltóiremittenteناشَرdiffuseurbroadcasterΟ ραδιοτηλεοπτικός φορέας είναι ένας οργανισμός που είναι υπεύθυνος για την παραγωγή ραδιοφωνικών ή τηλεοπτικών προγραμμάτων και / ή τη διαβίβασή τουςEin Rundfunkveranstalter (oder auch Sendeunternehmen) betreibt Hörfunk- oder Fernsehprogramme. (http://de.wikipedia.org/wiki/Rundfunkveranstalter - 28/03/2011)براڈکاسٹر ایک ایسی تنظیم ہے جو ریڈیو یا ٹیلی ویژن پروگراموں کی پیداوار اور/یا ان کی ترسیل کے لیے ذمہ دار ہےUn radiodiffuseur est une organisation responsable de la production de programmes de radio ou de télévision et/ou de leur transmission. (http://en.wikipedia.org/wiki/Broadcaster - 28/03/2011)A 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) - music directordirigentDirigentchef d'orchestreA person who is the director of an orchestra or concert band. + dirigentDirigentموسیقی کا رہنماchef d'orchestremusic directorA person who is the director of an orchestra or concert band.ایک شخص جو سازینہ یا موسیقی بجانے والوں کا گروہ کا رہنما ہے - ソテツ門cycadeeëncicadácea소철류cycadφοινικόθαμνοςcíocáidcycadophytesPalmfarn + 소철류cycadeeënφοινικόθαμνοςソテツ門Palmfarncíocáidcicadáceaکرف نخلیcycadophytescycad + + بیول :منظم شدہ مجموعہ political party of leaderpolitische Partei des VorsitzendenThe Political party of leader. @@ -1579,11 +3193,11 @@ Includes concentration, extermination, transit, detention, internment, (forced) eye colourAugenfarbe - rankingRangliste + rankingclassementRangliste sub-classisonderklassea subdivision within a Species classis - long distance piste number + long distance piste numbernuméro de piste noire longue distance year of electrificationгодина електрификацијеJahr der ElektrifizierungYear station was electrified, if not previously at date of opening.Година када је станица електрифицирана, уколико није била при отварању. @@ -1595,7 +3209,7 @@ Includes concentration, extermination, transit, detention, internment, (forced) illustratorIllustratorillustratorillustrateurIllustrator (where used throughout and a major feature) - Parents Wedding Dateдатум венчања родитељаHochzeitstag der Elterndata do casamento dos pais + Hochzeitstag der Elterndata do casamento dos paisdate de marriage des parentsParents Wedding Dateдатум венчања родитеља other mediaandere Medien @@ -1617,7 +3231,7 @@ Includes concentration, extermination, transit, detention, internment, (forced) British Comedy AwardsBritish Comedy AwardsΒρετανικά Βραβεία Κωμωδίας - 標高altitudапсолутна висинаhoogtealtitudeυψόμετροaltitudeHöhe + altitudhoogteυψόμετρο標高Höhealtitudealtitudeапсолутна висина ORPHAORPHAORPHAORPHA @@ -1639,13 +3253,13 @@ Includes concentration, extermination, transit, detention, internment, (forced) first ownererster Besitzerpremier propriétaireprimer dueño - 種_(分類学)soortspeciesespèceSpezies + soort種_(分類学)Speziesespècespecies management region local phone prefixlokale Vorwahl - bicycle informationFahrradinformationenInformation on station's bicycle facilities. + bicycle informationinformation vélosFahrradinformationenInformation on station's bicycle facilities.Information concernant les facilités de la gare pour les vélos. grid referencecoördinaten @@ -1653,7 +3267,7 @@ Includes concentration, extermination, transit, detention, internment, (forced) Dutch COROP code - historical regionhistorische Region + historical regionrégion historiquehistorische Region number of staffPersonalbestandαριθμός προσωπικούaantal medewerkers @@ -1671,7 +3285,7 @@ Includes concentration, extermination, transit, detention, internment, (forced) missionMissionαποστολή - The URL at which this file can be downloaded + The URL at which this file can be downloadedURL de téléchargement du fichier cca state @@ -1693,7 +3307,7 @@ Includes concentration, extermination, transit, detention, internment, (forced) 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 + maximum preparation time (s)temps de préparation maximum (s)Maximum preparation time of a recipe / FoodTemps de préparation maximum pour une recette / Aliments TheologyTheologieΘεολογία @@ -1719,26 +3333,28 @@ Includes concentration, extermination, transit, detention, internment, (forced) guestGastεπισκέπτης - 番号nummernumberαριθμόςAnzahl + nummerαριθμός番号Anzahlnumber mass (g)Masse (g)μάζα (g) - broadcast repeaterεπαναληπτική αναμετάδοση + broadcast repeaterrépéteur de diffusionεπαναληπτική αναμετάδοσηA repeater is an electronic device that receives a signal and retransmits it at a higher level and/or higher power, or onto the other side of an obstruction, so that the signal can cover longer distances (http://en.wikipedia.org/wiki/Repeater).Un répéteur est un équipement électronique qui reçoit un signal et le retransmet avec un niveau supérieur et/ou à une puissance plus grande, ou après un obstacle de sorte à ce que le signal puisse couvrir des distances plus grandes (https://fr.wikipedia.org/wiki/Répéteur). - participantdeelnemerTeilnehmer + participantparticipantdeelnemerTeilnehmer Fackelträgertorch bearer - copiloteCopilot + copilotecopiloteCopilot - formatformaatformat (object)formatformáidformatFormatFormat of the resource (as object). Use dct:format for literal, format for object + formaatformatformatFormatformáidformatformat (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 - + + chiefchef + amateur titleAmateurtitelаматерска титула localization of the island @@ -1749,19 +3365,19 @@ Includes concentration, extermination, transit, detention, internment, (forced) subject of playThe overall subject matter dealt with by the play. - observatoryObservatoriumαστεροσκοπείοεπιστημονικά ιδρύματα που παρατηρούν και μελετάνε ουράνια σώματα και φαινόμενα. + observatoryobservatoireObservatoriumαστεροσκοπείοεπιστημονικά ιδρύματα που παρατηρούν και μελετάνε ουράνια σώματα και φαινόμενα. 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 + duration (s)durée (s)Dauer (s)duur (s)The duration of the item (movie, audio recording, event, etc.) in ISO 8601 date formatDurée d'un élément (film, enregistrement audio, événement, etc.) au format de date ISO 8601 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 + numberOfRedirectedResourcenombre de ressources redirigéesnumber of redirected resource to another onenombre de ressources qui redirigent vers d'autres ressourcespočet redirectů - zdrojů přesměrovaných na jiný zdroj aircraft patrolπεριπολία αεροσκάφους @@ -1777,25 +3393,25 @@ Includes concentration, extermination, transit, detention, internment, (forced) eparchyепархияmetropoleisCompare with bishopric - bronzen medaille dragermedalha de bronzebronze medalistχάλκινο μετάλλιοBronzemedaillengewinner + bronzen medaille dragerχάλκινο μετάλλιοBronzemedaillengewinnermedalha de bronzemédaille de bronzebronze medalist derived wordabgeleitetes Wort - ウエスト (μ)димензије струка (μ)размер талия (μ)waist size (μ)Taillenumfang (μ) + ウエスト (μ)Taillenumfang (μ)размер талия (μ)waist size (μ)димензије струка (μ) code bookGesetzbuchwetboekcode book or statute book referred to in this legal case followed bygefolgt vonsuivi parsiguido de - onderschriftlegendasubtitleυπότιτλοςUntertitel + onderschriftυπότιτλοςUntertitellegendasubtitle Dorlands suffix - scuolaschoolschoolσχολείοécoleschuleschool a person goes or went toσχολείο στο οποίο πηγαίνει ή πήγε κάποιος + schoolσχολείοschulescuolaécoleschoolschool a person goes or went toσχολείο στο οποίο πηγαίνει ή πήγε κάποιος child organisationdochterorganisatie - 体重 (g)vægt (g)тежина (g)gewicht (g)peso (g)weight (g)βάρος (g)poids (g)Gewicht (g) + vægt (g)gewicht (g)βάρος (g)体重 (g)Gewicht (g)peso (g)poids (g)weight (g)тежина (g) membershipMitgliedschaftlidmaatschap @@ -1811,50 +3427,52 @@ Includes concentration, extermination, transit, detention, internment, (forced) area quote - ouderparentparentElternteil + ouderElternteilparentparent - 引退年последња година активних годинаactieve jaren eind jaaractive years end yearενεργά χρόνια τέλος του χρόνου + actieve jaren eind jaarενεργά χρόνια τέλος του χρόνου引退年فعال سال آخر سالactive years end yearпоследња година активних година bioclimateBioklima - is handicapped accessibleist rollstuhlgerechtTrue if the station is handicapped accessible. + is handicapped accessibleaccessible aux handicapésist rollstuhlgerechtTrue if the station is handicapped accessible.Vrai si la station est accessible aux handicapés. Alps subgroupυποομάδα των άλπεωνsottogruppo alpinoАлпска подгрупаthe Alps subgroup to which the mountain belongs, according to the SOIUSA classification - constructionκατασκευήKonstruktion + constructionconstructionκατασκευήKonstruktion - notable workoeuvre majeure代表作bekende werkenNotable work created by the subject (eg Writer, Artist, Engineer) or about the subject (eg ConcentrationCamp) + 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вулканска активност + volcanic activityactivité volcaniquevulkanische Aktivitätвулканска активност - административна заједницаadministratieve gemeenschapadministrative collectivityδιοικητική συλλογικότηταVerwaltungsgemeinschaft - + administratieve gemeenschapδιοικητική συλλογικότηταVerwaltungsgemeinschaftانتظامی اجتماعیتcollectivité administrativeadministrative collectivityадминистративна заједница + + ModernaModerna莫德纳Moderna, Inc is an American pharmaceutical and biotechnology company based in Cambridge, Massachusetts.Moderna, Inc et une compagnie américaine pharmaceutique et de biotechnologie basée à Cambridge, Massachusetts.莫德纳,是一家总部位于美国马萨诸塞州剑桥市的跨国制药、生物技术公司,专注于癌症免疫治疗,包括基于mRNA的药物发现、药物研发和疫苗技术 + chief editorChefredakteurhoofdredacteur collectivity minority - education placeBildungsstätte + education placelieu d'enseignementBildungsstätte veinVeneвена SUDOC idSystème universitaire de documentation id (French collaborative library catalog). http://www.idref.fr/$1 - 親戚relativeσυγγενήςVerwandterparente + συγγενής親戚Verwandterparenterelative failed launches power type - data wydaniaudgivetrelease datumrelease dateημερομηνία κυκλοφορίαςRelease date of a Work or another product (eg Aircraft or other MeansOfTransportation + udgivetrelease datumdata wydaniaημερομηνία κυκλοφορίαςdate de sortierelease dateRelease date of a Work or another product (eg Aircraft or other MeansOfTransportationDate de sortie d'un travail ou d'un autre produit (un avion, d'autres moyens de transport... military unit sizethe size of the military unit - autor作者auteurautorauthorσυγγραφέαςúdarавторauteurautor + autorauteurавторautorσυγγραφέας作者autorúdarمصنفauteurauthor moodStimmung @@ -1862,7 +3480,7 @@ http://www.idref.fr/$1 fateSchicksal - organisationOrganisation + organisationorganisationOrganisation IOBDB IDLortel Archives Internet Off-Broadway database "show id" from lortel.org. @@ -1872,7 +3490,7 @@ http://www.idref.fr/$1 US salesUS-Verkäufeпродаја у САДNumber of things (eg vehicles) sold in the US - subdivisions + subdivisionssous-divisions has junction withσύνδεση @@ -1888,7 +3506,7 @@ http://www.idref.fr/$1 opponentsGegner"opponent in a military conflict, an organisation, country, or group of countries. " - reeksseriesσειράsérieSerie + reeksσειράSeriesérieseries newspaperZeitung @@ -1909,12 +3527,14 @@ http://www.idref.fr/$1draft position date useέναρξη_χρήσης - - miastobystadcityπόληcathairvilleStadt + + Daily Vaccinations Per MillionVaccinationStatistics: people vaccinated percent. + + bystadmiastoπόληStadtcathairvillecity rural municipalityLandgemeinde - reviewRezension + reviewévaluationRezension circulationoplageκυκλοφορίαciorclaíocht @@ -1926,33 +3546,39 @@ http://www.idref.fr/$1 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" - przyspieszenie (s)убрзање (s)acceleratie (s)acceleració (s)acceleration (s)επιτάχυνση (s)luasghéarú (s)Beschleunigung (s) + acceleració (s)acceleratie (s)przyspieszenie (s)επιτάχυνση (s)Beschleunigung (s)luasghéarú (s)accélération (s)acceleration (s)убрзање (s)variation de la vitesse + + has abstractخلاصہ - inwonersaantalpopulação totalpopulation totalσυνολικός_πληθυσμόςpopulation totaleEinwohnerzahl + inwonersaantalσυνολικός_πληθυσμόςEinwohnerzahlpopulação totalpopulation totalepopulation total number of platform levelsNumber of levels of platforms at the station. - media typeMedientypmediatypePrint / On-line (then binding types etc. if relevant) + media typetype de médiaMedientypmediatypePrint / On-line (then binding types etc. if relevant)Imprimer / En-ligne (puis types associés etc. si nécessaire) generation units Gemini Award - engine powermotorvermogenPower to be expressed in Watts (kiloWatt, megaWatt) + engine powerpuissance du moteurmotorvermogenPower to be expressed in Watts (kiloWatt, megaWatt)La puissance est exprimée en 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. - + + output historyhistorique de sortieExistence of multiple output dates.Indique qu'il existe plusieurs dates de sortie. Valeur oui / non. + Gray subjectRefers to the famous 1918 edition of Gray's Anatomy. plantPflanzeφυτό植物 sister station - сезонаseizoenyearsχρόνιαJahre + seizoenχρόνιαJahreyearsсезона - number of stationsAnzahl der StationenNumber of stations or stops. + number of stationsnombre de stationsAnzahl der StationenNumber of stations or stops.Nombre de stations, gares ou arrêts. MeSH IDMeSH ID + + آسٹریلیا اوپن ڈبل Link from a Wikipage to a Wikipage in a different language about the same or a related subject.Reserved for DBpedia. @@ -1962,7 +3588,7 @@ http://www.idref.fr/$1 boxing styleBoxstil - област (m2)oppervlakte (m2)área (m2)area (m2)έκταση (m2)superficie (m2)Fläche (m2)The area of the thing in square meters. + oppervlakte (m2)έκταση (m2)Fläche (m2)área (m2)رقبہ (m2)superficie (m2)area (m2)област (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. @@ -1982,7 +3608,7 @@ http://www.idref.fr/$1 honoursEhrungenδιακρίσειςeerbewijzenHonours bestowed upon a Person, Organization, RaceHorse, etc - założony przezgesticht doorfounded bya bhunaighfondé pargegründet vonIdentifies the founder of the described entity. This can be a person or a organisation for instance. + gesticht doorzałożony przezgegründet vona bhunaighfondé parfounded byIdentifies the founder of the described entity. This can be a person or a organisation for instance. kindOfLanguage @@ -1992,9 +3618,9 @@ http://www.idref.fr/$1 first mentionerste Erwähnung - año de censocensus yearέτος απογραφήςannée de recensementZensusjahr + año de censoέτος απογραφήςZensusjahrannée de recensementcensus year - percentage of a place's female population that is literate, degree of analphabetismpercentage van de vrouwelijke bevolking dat geletterd is + percentage of a place's female population that is literate, degree of analphabetismpourcentage de la population féminine alphabétisée d'un lieu, degré d'analphabétismepercentage van de vrouwelijke bevolking dat geletterd is nfl season @@ -2032,9 +3658,9 @@ http://www.idref.fr/$1 start xct - conservation status保全状況 + conservation statusétat de conservation保全状況 - blood groupομάδα αίματοςBlutgruppe + blood groupgroupe sanguinομάδα αίματοςBlutgruppe current record @@ -2046,21 +3672,21 @@ http://www.idref.fr/$1 gold medal double - regeringspartijpartido do liderleader partyκόμμα_αρχηγούRegierungspartei + regeringspartijκόμμα_αρχηγούRegierungsparteipartido 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 + WoRMSWoRMSWoRMSWorld Register of Marine SpeciesRegistre mondial des espèces marines - привидна звездана величинаapparent magnitudeφαινόμενο μέγεθοςвидимая звёздная величинаscheinbare Helligkeit + видимая звёздная величинаφαινόμενο μέγεθοςscheinbare Helligkeitapparent 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. + literary genregenre littéraireliterair 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.Un genre littéraire est une catégorie de composition littéraire. Les genres peuvent être déterminés par la technique littéraire employée, le ton, le contenu, ou même (comme dans le cas des fictions) la longueur. - dochterابنةdaughterκόρηTochter + dochterابنةκόρηTochterfilledaughter cloth size @@ -2084,30 +3710,36 @@ http://www.idref.fr/$1 free prog score - numberOfTriplesnumber of triples in DBpedia + numberOfTriplesnombre de tripletsnumber of triples in DBpedianombre de triplets dans DBpedia - bevolkingsdichtheid (/sqkm)घनत्व (/sqkm)population density (/sqkm)πυκνότητα_πληθυσμού (/sqkm)Bevölkerungsdichte (/sqkm) + bevolkingsdichtheid (/sqkm)πυκνότητα_πληθυσμού (/sqkm)Bevölkerungsdichte (/sqkm)घनत्व (/sqkm)population density (/sqkm) - channelKanalκανάλιkanaal + kanaalκανάλιKanalcanalchannel OCLCOnline Computer Library Center number first driver country - infant mortalitySäuglingssterblichkeitmortalidade infantil + infant mortalitymortalité infantileSäuglingssterblichkeitmortalidade infantil parking informationParkplatzinformationenInformation on station's parking facilities. + + Is a minor revisionEst une révision mineurThis property is used by DBpedia HistoryProprieté utilisée dans le cadre de DBpedia Historique siler medalistSilbermedaillengewinnermedalha de pratazilveren medaille drager - + + Average size of the revision per monthTaille moyenne des révisions par moisused for DBpedia History > Subject must be a blank node containing a dc:date and a rdfs:valueutilisé par DBpedia Historique > Le sujet de cette relation doit être un noeud blanc contenant une dc:date et une rdfs:value + apprehendedgefasst free danse score - radio stationradiozender + radio stationstation de radioradiozender Messier nameName for Messier objects - + + حساب کی ضرورت + lchf draft team block alloyκράμα μετάλλου @@ -2126,7 +3758,7 @@ http://www.idref.fr/$1 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.Περιουσιακά στοιχεία και υποχρεώσεις αποτελούν μέρος του ισολογισμού μιας εταιρείας.Σε χρηματοοικονομική λογιστική,τα περιουσιακά στοιχεία είναι οι οικονομικοί πόροι. Οτιδήποτε ενσώματο ή άυλο, που είναι ικανό να ανήκει ή να ελέγχεται για να παράγει αξία και που κατέχεται για να έχει θετική οικονομική αξία θεωρείται ένα περιουσιακό στοιχείο. + 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). @@ -2140,15 +3772,15 @@ http://www.idref.fr/$1 project objectiveProjektzielA defined objective of the project. - code of the departmentdepartementcode + محکمہ کا کوڈdepartementcode - архитектонски стилbouwstijlarchitectural styleαρχιτεκτονικό στυλархитектурный стильstyle architectural + bouwstijlархитектурный стильαρχιτεκτονικό στυλstyle architecturalarchitectural styleархитектонски стил - number of seatsAnzahl der Sitzeaantal plaatsen + number of seatsnombre de placesAnzahl der Sitzeaantal plaatsen protestant percentage - dissolution dateontbindingsdatum + dissolution datedate de dissolutionontbindingsdatum nmberOfResourceWithTypenumber of resource in DBpedia with Class type (= Class entity) @@ -2160,13 +3792,13 @@ http://www.idref.fr/$1 founderGründerΙδρυτήςEin Gründer oder Gründungsmitglied einer Organisation, Religion oder eines Ortes. - kolor włosówcor do cabelohair colordath na gruaigeHaarfarbe + kolor włosówHaarfarbedath na gruaigecor do cabelohair color region link ending theme - number of restaurantsAnzahl der Restaurantsαριθμός εστιατορίων + number of restaurantsnombre de restaurantsAnzahl der Restaurantsαριθμός εστιατορίων emblem @@ -2175,24 +3807,26 @@ http://www.idref.fr/$1available 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) + colour hex codecode hexa de couleurFarben Hex CodeA colour represented by its hex code (e.g.: #FF0000 or #40E0D0)Une couleur représentée par son code hexadécimal (exemple : #FF0000 ou #40E0D0) prefecturePräfektur - gatunekジャンルgénerogenregenreείδοςgenreGenreThe genre of the thing (music group, film, etc.) + génerogenregatunekείδοςジャンルGenregenregenreThe genre of the thing (music group, film, etc.)Genre de chose (groupe musical, film, etc.) source confluencelugar de nacimientoπηγές wheelbase (μ)Radstand (μ)међуосовинско растојање (μ) - formation dateformatie datumΙδρύθηκε + formation datedate de formationformatie datumΙδρύθηκεsame as OntologyProperty:FoundingDate?est-ce la même chose que OntologyProperty:FoundingDate ? course (μ) - year of creationέτος δημιουργίαςEntstehungsjahrjaar van creatie + jaar van creatieέτος δημιουργίαςEntstehungsjahrannée de créationyear of creation citesA document cited by this work. Like OntologyProperty:dct:references, but as a datatype property. @@ -2204,11 +3838,11 @@ http://www.idref.fr/$1 mouth elevation (μ)ύψος_εκβολών (μ) - presidentpresidentepresidentπρόεδροςprésidentPräsident + presidentπρόεδροςPräsidentpresidenteprésidentpresident story editor - former choreographerehemaliger Choreograph + former choreographerchoréographe précédentehemaliger 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 @@ -2216,9 +3850,11 @@ http://www.idref.fr/$1 sports function - numberOfClassesWithResourcenumber of class in DBpedia with atleast single resource (class entity) + numberOfClassesWithResourcenombre de classes avec ressourcenumber of class in DBpedia with at least single resource (class entity)nombre de classes de DBpedia ayant au moins une ressource unique (entité de classe) model start date + + affairمعاملہ particular sign @@ -2236,7 +3872,7 @@ http://www.idref.fr/$1 number of gravesAnzahl der Gräberaantal graven - photographerFotograf + photographerphotographeFotograf population percentage under 12 years @@ -2254,28 +3890,32 @@ http://www.idref.fr/$1 product shape - skuespilleremet in de hoofdrolstarringηθοποιοίacteur + skuespilleremet in de hoofdrolηθοποιοίacteurstarring NRHP Reference Number century breaksCentury Breaksnumber of breaks with 100 points and moreAnzahl Breaks mit 100 Punkten oder mehr, wird nicht übersetzt subsidiarytreinadorfiliale - + + accessرسائی + 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 + picture formatformat d'imageBildformat showSendungspectacle playsslaghand - area land (m2)oppervlakte land (m2)έκταση_στεριάς_περιοχής (m2)површина земљишта (m2) - + oppervlakte land (m2)έκταση_στεριάς_περιοχής (m2)زمین کا علاقہ (m2)area land (m2)површина земљишта (m2) + + منسلک سازینه + most winsdie meisten Siege active years end year manager @@ -2286,15 +3926,17 @@ http://www.idref.fr/$1 GARDNameGARDNameGARDNameGARDName - musiciansMusikerμουσικοί + musiciansmusiciensMusikerμουσικοί student number of speakersaantal sprekersAnzahl Sprecher + + ادئیگی کی تاریخ - lokalizacja所在地locatielocalizaçãolocationτοποθεσίαemplacementStandortThe location of the thing. + locatielokalizacjaτοποθεσία所在地StandortlocalizaçãoemplacementlocationThe location of the thing. - explorerErforscherkaşif + explorerexplorateurErforscherkaşif blazonWappenblasonемблемаCoat of arms (heraldic image) or emblem @@ -2302,7 +3944,7 @@ http://www.idref.fr/$1 dist_ly - number of starsAnzahl der Sterne + number of starsnombre d'étoilesAnzahl der Sterne setup time (s) @@ -2318,13 +3960,13 @@ http://www.idref.fr/$1 last launchletzter Start - Character size of wiki pageNeeds to be removed, left at the moment to not break DBpedia Live + Character size of wiki pageTaille des caractères des pages wikiNeeds to be removed, left at the moment to not break DBpedia LiveA supprimer, laisser encore pour ne pas casser DBpedia Live hip size (μ)Hüftumfang (μ)heupomvang (μ)ヒップ (μ) - authority title of a romanian settlement + authority title of a romanian settlementرومانیہ کی تصفیہ کا اقتدار کا موضوع - collectionSammlungσυλλογή + collectioncollectionSammlungσυλλογή water percentage of a placeWasseranteil von einem Ortпроценат воде неког места @@ -2332,7 +3974,7 @@ http://www.idref.fr/$1 serving temperatureServing temperature for the food (e.g.: hot, cold, warm or room temperature). - idioma originaloorspronkelijke taaloriginal languagelangue originaleOriginalspracheThe original language of the work. + idioma originaloorspronkelijke taalOriginalsprachelangue originaleoriginal languageThe original language of the work. recommissioning date @@ -2358,7 +4000,7 @@ http://www.idref.fr/$1 visitors per yearгодишњи број посетилацаbezoekers per jaarBesucher pro Jahr - branch toυποκατάστημα + branch tova versυποκατάστημα ofs code of a settlementIdentifier used by the Swiss Federal Institute for Statistics @@ -2366,15 +4008,17 @@ http://www.idref.fr/$1 organorgelName and/or description of the organNaam en/of beschrijving van het orgel - blok układu okresowegobloc de la taula periòdicaelement blockблок периодической таблицыBlock des PeriodensystemsA 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.совокупность химических элементов со сходным расположением валентных электронов в атоме. + bloc de la taula periòdicaблок периодической таблицыblok układu okresowegoBlock des Periodensystemselement 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 - Aantal onthoudingenabstentionsΑριθμός αποχών μετά από ψηφοφορίαstaonadhAnzahl der Enthaltungen nach der AbstimmungNumber of abstentions from the votean líon daoine a staon ó vótáil + Aantal onthoudingenΑριθμός αποχών μετά από ψηφοφορίαAnzahl der Enthaltungen nach der AbstimmungstaonadhپرہیزabstentionsNumber of abstentions from the votean líon daoine a staon ó vótáilووٹ سے پرہیز کرنے والوں کی تعداد city since + + scale factorfacteur d'échelleScale factor (ex: for images) to zoom out (value > 1) or reduce (0 < value < 1) the proportions. Decimal numbers use dot séparator; ex : 0.75Facteur d'échelle (par exemple pour des images) pour aggrandir (valeur > 1) ou réduire (0 < valeur < 1 les proportions. Pour les nombres décimaux, utiliser un point comme séparateur; ex : 0.75 Laurence Olivier Award @@ -2390,10 +4034,12 @@ http://www.idref.fr/$1 supertribusbovenstam - fecha de fineinddatumend datedate de finEnddatumThe end date of the event. + fecha de fineinddatumEnddatumdate de finend 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 @@ -2401,8 +4047,12 @@ http://www.idref.fr/$1Link to the Wikipage edit URLReserved for DBpedia. number of deathsTotenzahlAantal doden + + Number of revision per monthNombre de révisions par moisused for DBpedia History > Subject must be a blank node containing a dc:date and a rdfs:valueutilisé par DBpedia Historique > Le sujet de cette relation doit être un noeud blanc contenant une dc:date et une rdfs:value ICAO Location IdentifierΙΚΑΟ + + مجموعی آبادی کا سال last publication dateletztes VeröffentlichungsdatumDate of the last publication. @@ -2428,17 +4078,17 @@ http://www.idref.fr/$1 aircraft userFlugzeugnutzerχρήστης αεροσκάφουςusuario del avión - active years start year manager + active years start year managerفعال سال شروع سال Mgr number of lanesAnzahl der Fahrstreifennombre de voies animatorανιμέιτορаниматор - ideologieideologiaideologyιδεολογίαIdeologie + ideologieιδεολογίαIdeologieideologiaideology epochmoment in time used as a referrence point for some time-vaying astronomical quantity - The extension of this file + The extension of this fileExtension de ce fichier virtual channelвиртуелни каналεικονικό κανάλι @@ -2454,11 +4104,11 @@ http://www.idref.fr/$1 order date - voice typeStimmlageтип гласаstemtypevoice type of a singer or an actor + stemtypeStimmlagetype de voixvoice typeтип гласаvoice type of a singer or an actortype de voix pour un chanteur ou un acteur varietalsRebsorten - former partnerehemaliger Partner + former partnerpartenaire précédentehemaliger Partner locus supplementary data @@ -2466,11 +4116,11 @@ http://www.idref.fr/$1 end pointEndpunktσημείο_τέλους - motiveMotiv + motivemotifMotivThe motive of the crime(s) this individual is known for.Motif du ou des crimes pour lesquels cette personne est connue. fieldFeld - regionRegion + regionrégionRegion fastest lapταχύτερος γύροςschnellste Runde @@ -2511,6 +4161,8 @@ http://www.idref.fr/$1best wsop rank restore dateημερομηνία ανακαίνισης + + PfizerPfizer辉瑞American multinational pharmaceutical corporation the COVID-19 vaccine Pfizer–BioNTech COVID-19 vaccineCorporation pharmaceutique multinationale américaine, vaccin contre le COVID-19, vaccin Pfizer–BioNTech COVID-19辉瑞是源自美国的跨国制药、生物技术公司,营运总部位于纽约,研发总部位于康涅狄格州的格罗顿市 unesco @@ -2522,9 +4174,9 @@ http://www.idref.fr/$1 red ski piste number - classesKlasseτάξεις + classesclassesKlasseτάξεις - scrittoreписацschrijverwriterσεναριογράφοςschriftsteller + schrijverσεναριογράφοςschriftstellerscrittoreauteurписац big pool record @@ -2538,9 +4190,9 @@ http://www.idref.fr/$1 best ranking finishbeste Platzierung im Ranglistenturnier - stanstaatstateνομόςStaat + staatstanνομόςStaatstate - химнаvolksliedhinoanthemύμνοςгимнHymneOfficial song (anthem) of a PopulatedPlace, SportsTeam, School or other + volksliedгимнύμνοςHymnehinohymneanthemхимнаOfficial song (anthem) of a PopulatedPlace, SportsTeam, School or otherChant officiel (hymne) d'un lieu habité, d'une équipe sportive, d'une école ou autre nationNation @@ -2550,7 +4202,7 @@ http://www.idref.fr/$1 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 + building end dateΗμερομηνία λήξης κατασκευήςdate de fin de constructionBuilding 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 preferredDate de fin de construction d'une structure architecturale, d'un lac artificiel, etc. Pour les structures plus anciennes cela peut être simplement une année ou un siècle, pour les structures plus récentes il est préférable de donner la date exacte number of postgraduate students @@ -2559,8 +4211,10 @@ http://www.idref.fr/$1licenseeLizenzinhaberIdentify which company or entity holds the licence (mostly string are used in Wikipedia, therefore range is xsd:sting). discontinued + + AstrazencaAstrazenca阿斯利康制药AstraZeneca plc is a British-Swedish multinational pharmaceutical and biotechnology company with its headquarters at the Cambridge Biomedical Campus in Cambridge, England.AstraZeneca plc est une multinationale pharmaceutique et biotechnologique anglo-suédoise dont le siège social est situé au Cambridge Biomedical Campus à Cambridge, en Angleterre.阿斯利康制药公司,是一家由瑞典阿斯特公司(Astra AB)和英国捷利康公司(Zeneca Group PLC)于1999年4月6日合并而成的大型英瑞合资生物制药企业 - kaartmapamapχάρτηςcarteLandkarteA map of the place.Χάρτης μιας περιοχής.Eine Landkarte des Ortes. + kaartχάρτηςLandkartemapacartemapA map of the place.Χάρτης μιας περιοχής.Eine Landkarte des Ortes. land @@ -2568,7 +4222,7 @@ http://www.idref.fr/$1 green long distance piste number - tessitura + tessituratessiture champion in double femalechampion en double femmesCampeón en doble mujereswinner of a competition in the female double session (as in tennis) @@ -2580,7 +4234,7 @@ http://www.idref.fr/$1 Link to the Wikipage revision URLReserved for DBpedia. - previous eventVorveranstaltungvorige evenementevento anterior + vorige evenementVorveranstaltungevento anteriorévénement précédentprevious event capital countryHauptstadt Land @@ -2590,13 +4244,15 @@ http://www.idref.fr/$1 racesRennenαγώνας - administrative statusadministrativer Statusадминистративни статус + administrative statusانتظامی درجہadministrativer 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) - おじさんoomاخو الامuncleθείοςOnkel + oomاخو الامθείοςおじさんOnkeluncle affiliationιστολόγιοlidmaatschapприпадност @@ -2617,8 +4273,10 @@ http://www.idref.fr/$1winter temperature (K)Wintertemperatur (K)зимска температура (K) opening theme + + main artistartiste principalName of the main artist in the group.Nom de l'artiste principal lorsque plusieurs artistes sont associés. - dioceseDiözesebisdomA religious administrative body above the parish level + diocesediocèseDiözesebisdomA religious administrative body above the parish levelStructure administrative religieuse au-dessus du niveau paroissial amateur koброј аматерских нокаута @@ -2642,9 +4300,9 @@ http://www.idref.fr/$1 Link to the Wikipage history URLReserved for DBpedia. - element aboveэлемент снизуhoger elementelement placed above current element in D.I.Mendeleev's tableЭлемент снизу под текущим элементом в таблице Д.И.Менделеева + element aboveélément supérieurэлемент снизуhoger elementelement placed above current element in D.I.Mendeleev's tableélément placé au-dessus de l'élément courant dans le tableau périodique des éléments de D.I.MendeleevЭлемент снизу под текущим элементом в таблице Д.И.Менделеева - building start yearbouw start jaarέτος έναρξης κατασκευής + building start yearannée du début de constructionbouw start jaarέτος έναρξης κατασκευής handisport @@ -2654,11 +4312,13 @@ http://www.idref.fr/$1 population year - owning organisationοργανισμός + owning organisationοργανισμός capital regionHauptstadtregion - код станицеstationscodeagency station codeκωδικός πρακτορείουStationsabkürzungAgency station code (used on tickets/reservations, etc.).Κωδικός πρακτορείου (χρησιμοποιείται σε εισιτήρια/κρατήσεις,κτλ.). + stationscodeκωδικός πρακτορείουStationsabkürzungایجنسی اسٹیشن کوڈagency station codeкод станицеAgency station code (used on tickets/reservations, etc.).Κωδικός πρακτορείου (χρησιμοποιείται σε εισιτήρια/κρατήσεις,κτλ.).ایجنسی اسٹیشن کوڈ (ٹکٹ/مخصوص کرنے کا عمل وغیرہ پر استعمال کیا جاتا ہے)۔ + + active years end date managerفعال سال کی آخری تاریخ Mgr constituency districtWhalbezirkcirconscription électorale @@ -2668,16 +4328,20 @@ http://www.idref.fr/$1 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. + can baggage checkedGepäckkontrolle möglichسامان کی جانچ پڑتال کر سکتے ہیںWhether 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 + + Delta size of a revision with last oneDelta de revision avec la précédante - beatified datezalig verklaard datum + beatified datedate de béatificationzalig verklaard datum - area rankповршина ранг - + area rankповршина рангعلاقے کا درجہ + + administrative collectivityانتظامی اجتماعیت + third teamdritte Mannschaftτρίτη ομάδα internationallyinternational @@ -2686,11 +4350,13 @@ http://www.idref.fr/$1 Alps groupομάδα των άλπεωνgruppo alpinoалпска групаthe Alps group to which the mountain belongs, according to the SOIUSA classification - eventVeranstaltungevento + eventévénementVeranstaltungevento vehicles per dayброј возила по дануFahrzeuge pro Tag - huurdertenantενοικιαστήςlocataireMieter + huurderενοικιαστήςMieterlocatairetenant + + DeathsDécès死亡Permanent, irreversible cessation of all biological functions that sustain a living organismArrêt permanent et irreversible de toutes les fonctions biologiques qui maintiennent en vie un organisme是相對於生命體存在存活的生命現象,指维持一个生物生命存活的所有功能生物学功能的永久终止 regime @@ -2698,7 +4364,7 @@ http://www.idref.fr/$1 historical maphistorische Karteιστορικός χάρτης - seaMeer + seaMeermer current memberaktuelles Mitglied @@ -2712,11 +4378,11 @@ http://www.idref.fr/$1 blazon link - project coordinatorProjektkoordinatorThe coordinating organisation of the project. + project coordinatorProjektkoordinatorrégisseurThe coordinating organisation of the project.Organisation coordinatrice du project. - radioRadioραδιόφωνοTo ραδιόφωνο είναι η συσκευή που λειτουργεί ως "ραδιοδέκτης - μετατροπέας" όπου λαμβάνοντας τις ραδιοφωνικές εκπομπές των ραδιοφωνικών σταθμών τις μετατρέπει σε ήχο. + radioradioRadioραδιόφωνοTo ραδιόφωνο είναι η συσκευή που λειτουργεί ως "ραδιοδέκτης - μετατροπέας" όπου λαμβάνοντας τις ραδιοφωνικές εκπομπές των ραδιοφωνικών σταθμών τις μετατρέπει σε ήχο. - first publication dateeerste publicatiedatumDatum der Erstausgabedata pierwszego wydaniaDate of the first publication.Datum der ersten Veröffentlichung des Periodikums. + eerste publicatiedatumdata pierwszego wydaniaDatum der Erstausgabedate de la première publicationfirst publication dateDate of the first publication.Datum der ersten Veröffentlichung des Periodikums. length of a coastLänge einer Küste @@ -2734,7 +4400,7 @@ http://www.idref.fr/$1 kind of coordinate - military branchThe service branch (Army, Navy, etc.) a person is part of. + military branchThe service branch (Army, Navy, etc.) a person is part of. significant buildingbedeutendes Gebäude @@ -2743,22 +4409,26 @@ http://www.idref.fr/$1using 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 - cantidad de medallas de oro ganadasaantal gewonnen gouden medaillesnumber of gold medals wonnomber de médailles d'or gagnéesAnzahl der Goldmedaillen + cantidad de medallas de oro ganadasaantal gewonnen gouden medaillesAnzahl der Goldmedaillennomber de médailles d'or gagnéesnumber of gold medals won running matecompañero de candidatura - + + VaccineVaccin疫苗 + population percentage female CO2 emission (g/km) gravegrafGrab - closedgeschlossengesloten + closedfermégeschlossengesloten ist @@ -2780,8 +4450,10 @@ http://www.idref.fr/$1 start date and timedatum en tijd van beginThe start date and time of the event. - projectProjekt - + projectProjektprojet + + abbreviationمخفف + total tracksthe total number of tracks contained in the album superbowl win @@ -2795,16 +4467,18 @@ http://www.idref.fr/$1vehicleвозилоόχημαVehikelvehicle that uses a specific automobile platformόχημα που χρησιμοποιεί μια συγκεκριμένη πλατφόρμα αυτοκινήτων philosophicalSchool - + + DoseDose剂量Dose means quantity (in units of energy/mass) in the fields of nutrition, medicine, and toxicology. Dosage is the rate of application of a dose, although in common and imprecise usage, the words are sometimes used synonymously.Dose signifie quantité (en unités d'énergie/masse) dans les domaines de la nutrition, la médecine et la toxicologie. Le dosage est le taux d'application d'une dose, bien que dans l'utilisation habituelle et imprécise qui en est faite, les mots sont quelques fois synonymes. + backgroundHintergrundφόντο - norwegian center + norwegian centercentre norvégien - formation yearformatie jaar + formation yearannée de formationformatie jaarequivalent / sub property of OntologyProperty:foundingYear?est-ce un équivalent ou une sous-propriété de OntologyProperty:foundingYear? - demolition yearsloop jaarThe year the building was demolished. + demolition yearannée de démolitionsloop jaarThe year the building was demolished.Année où le bâtiment a été démoli. - SeitenverhältnisAspect Ratioλόγος + SeitenverhältnisAspect Ratioλόγοςپہلو کا تناسب(ٹیلی وژن) تناسب نظر / عکس کی چوڑائی کا بلندی سے تناسب zdbzdbIdentifier for serial titles. More precise than issnzdb је серијски број који се користи за индетификацију. Прецизнији је од issn. @@ -2812,7 +4486,7 @@ http://www.idref.fr/$1 purchasing power parity rank - worldWeltсвет + worldmondeWeltсвет red long distance piste number @@ -2824,17 +4498,17 @@ http://www.idref.fr/$1 unitary authorityунитарна власт - imię i nazwisko przy urodzeniugeboortenaamnom de naixementbirth nameόνομα_γέννησηςGeburtsname + nom de naixementgeboortenaamimię i nazwisko przy urodzeniuόνομα_γέννησηςGeburtsnamebirth name Cesar Award - 血液型bloedgroeptipo sanguíneoblood typeομάδα αίματοςBlutgruppe + bloedgroepομάδα αίματος血液型Blutgruppetipo sanguíneogroupe sanguinblood type followsfolgtvient aprèssigue term periodχρονική περίοδος - descriptionπεριγραφήBeschreibungomschrijvingShort description of a person + omschrijvingπεριγραφήBeschreibungdescriptiondescriptionShort description of a persondescription courte d'une personne EINECS number @@ -2844,11 +4518,11 @@ http://www.idref.fr/$1 first pro matcherstes Profispiel - naam leiderशासक का नामleader nameόνομα_αρχηγούprésident + naam leiderόνομα_αρχηγούशासक का नामprésidentleader name share date - conflictKonflikt + conflictconflitKonflikt mill dissapeared code NLverdwenen molen code NL @@ -2872,11 +4546,11 @@ http://www.idref.fr/$1 scaleMaßstab - capture date + capture datedate de capture width quote - управни округprovincieadministrative districtδήμοςVerwaltungsbezirk + provincieδήμοςVerwaltungsbezirkانتظامی ضلعadministrative districtуправни округ national affiliationafiliacao nacional @@ -2904,13 +4578,13 @@ http://www.idref.fr/$1 usesкористи - tattooτατουάζTätowierungtatuagem + τατουάζTätowierungtatuagemtatouagetattoo launches fansgroup - population + populationpopulationall the inhabitants of a particular place; ex: 14200nombre total d'habitants du lieu; ex: 14200 warsKriegeратовиπολέμους @@ -2924,7 +4598,7 @@ http://www.idref.fr/$1 Votes against the resolutionStimmen gegen die ResolutionAantal stemmen tegen - number of seasonsAnzahl der Staffeln + number of seasonsnombre de saisonsAnzahl der Staffeln neighbour constellationsNachbarsternbilder @@ -2956,9 +4630,9 @@ http://www.idref.fr/$1 referent bourgmestre - numero de jugadoresnumber of playersαριθμός παιχτώνnombre de joueursAnzahl der Spieler + numero de jugadoresαριθμός παιχτώνAnzahl der Spielernombre de joueursnumber of players - leagueLigaπρωτάθλημα + leagueligueLigaπρωτάθλημα okato codeCode used to indentify populated places in Russia @@ -2967,21 +4641,27 @@ http://www.idref.fr/$1touristic 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μπάντα + bandbandeμπάντα + + number of the previous tracknuméro de la piste précédentenumber of the previous track of the recorded work.numéro de la piste précédente du support. blue long distance piste number total discsthe total number of discs contained in the album friendFreundφίλος - + + شکست + head mission duration (s)Missionsdauer (s) @@ -3000,13 +4680,13 @@ http://www.idref.fr/$1 masters wins - grupa układu okresowegogrup de la taula periòdicaelement groupgrúpa an tábla pheiriadaighгруппа периодической системыGruppe des Periodensystemsgrupa jest pionową kolumną w układzie okresowym pierwiastków chemicznych.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.Séard atá i gceist le grúpa sa choimhthéacs seo ná colún ceartingearach i dtábla peiriadach na ndúl ceimiceach.последовательность атомов по возрастанию заряда ядра, обладающих однотипным электронным строением.Unter einer Gruppe des Periodensystems versteht man in der Chemie jede Spalte des Periodensystems. + grup de la taula periòdicaгруппа периодической системыgrupa układu okresowegoGruppe des Periodensystemsgrúpa an tábla pheiriadaighelement groupUn grup d'elements equival a una columna de la taula periòdica.последовательность атомов по возрастанию заряда ядра, обладающих однотипным электронным строением.grupa jest pionową kolumną w układzie okresowym pierwiastków chemicznych.Unter einer Gruppe des Periodensystems versteht man in der Chemie jede Spalte des Periodensystems.Séard atá i gceist le grúpa sa choimhthéacs seo ná colún ceartingearach i dtábla peiriadach na ndúl ceimiceach.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 - statsborgerskabburgerschapcitizenshipυπηκοότηταStaatsangehörigkeit + statsborgerskabburgerschapυπηκοότηταStaatsangehörigkeitcitoyennetécitizenship route start locationOrt des WeganfangsThe start location of the route.Der Startort des Verkehrswegs. @@ -3022,7 +4702,7 @@ http://www.idref.fr/$1 EC numberEC番号 - イメージサイズ (px2)tamaño de la imagen (px)afbeeldingsgrootte (px)image size (px)μέγεθος εικόνας (px1)taille de l'image (px)Bildgröße (px)the image size expressed in pixels + tamaño de la imagen (px)afbeeldingsgrootte (px)μέγεθος εικόνας (px1)イメージサイズ (px2)Bildgröße (px)taille de l'image (px)image size (px)the image size expressed in pixelstaille de l'image en pixels jockeyJockey @@ -3032,49 +4712,51 @@ http://www.idref.fr/$1 next missionnächste Missionmision siguiente - its calculation needsвычисление требует + its calculation needsвычисление требуетحساب کی ضرورت Fatality RateNumber of deaths from pandemic compared to the total number of people diagnosed. - compilerFor compilation albums: the person or entity responsible for selecting the album's track listing. + compilercompilateurFor compilation albums: the person or entity responsible for selecting the album's track listing.Pour les albums qui sont des compilations, personne ou entité responsable du choix des pistes de l'album. - domaindomeinドメイン_(分類学) + domaindomeindomaineドメイン_(分類学) kind of rockArt von Gestein IATA codeIATA designation for airline companies - number of classroomsαριθμός αιθουσών + number of classroomsαριθμός αιθουσώνnombre de salles de classe - strona Aстранаcara Aa sideεξώφυλλοtaobh aSingle + cara Astrona AεξώφυλλοSingletaobh aایک طرفa sideстрана - nameназвание + namenomназвание - 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 + aktive Jahreفعال سالannées d'activitéactive yearsактивне годинеAlso called "floruit". Use this if the active years are in one field that can't be split. Else use activeYearsStartYear and activeYearsEndYearAppelé aussi "floruit". Utillisez ceci si les années d'activité sont dans un même domaine non fractionnable. Sinon utilisez activeYearsStartYear et activeYearsEndYear - 配偶者echtgenootspouseσύζυγοςEhepartnerthe person they are married toΤο άτομο με το οποίο κάποιος είναι παντρεμένος + echtgenootσύζυγος配偶者Ehepartnerspousethe person they are married toΤο άτομο με το οποίο κάποιος είναι παντρεμένος track numberTitelnummerνούμερο τραγουδιού disbanded - crew sizeBesatzungsstärke + crew sizetaille de l'équipageBesatzungsstärke LCCThe Library of Congress Classification (LCC) is a system of library classification developed by the Library of Congress. - battleveldslagSchlacht + battlebatailleveldslagSchlacht - number of linesAnzahl der LinienNumber of lines in the transit system. + number of linesAnzahl der Liniennombre de lignesNumber of lines in the transit system.Nombre de lignes dans le système de transport. 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делатност + agencyایجنسیAgenturделатност fuel systemKraftstoffsystem @@ -3092,13 +4774,13 @@ http://www.idref.fr/$1 institutionInstitutioninstitutie - クラブclubclubομάδαVerein + clubομάδαクラブVereinclub service end year prime ministerminister-presidentPremierminister - If the company is defunct or not. Use end_date if a date is given + DefunctناکارہIf the company is defunct or not. Use end_date if a date is givenاگر کمپنی ناکارہ ہے یا نہیں۔ اگر تاریخ دی گئی ہو تو اختتامی_تاریخ استعمال کریں۔ albedoalbedoалбедоreflection coefficientσυντελεστής ανάκλασης @@ -3114,9 +4796,9 @@ http://www.idref.fr/$1 fuel typeτύπος καυσίμουKraftstofftyp - old nameπαλιό όνομαalter Name + old nameancien nomπαλιό όνομαalter Name - painterMalerζωγράφος + painterpeintreMalerζωγράφος BRIN codeBrin codeThe code used by the Dutch Ministry of Education to identify a school (as an organisation) @@ -3129,20 +4811,26 @@ http://www.idref.fr/$1sound recordingSound recording somehow related to the subject number of lifts索道数Number of lifts. - - ユースクラブомладински клубjeugdclubyouth clubJugendclub + + PandemicPandémie瘟疫Global epidemic of infectious diseaseEpidémie globale de maladie infectieuse也称大流行,是指某种流行病的大范围疾病爆发,其规模涉及多个大陆甚至全球(即全球大流行),并有大量人口患病 + + jeugdclubユースクラブJugendclubyouth clubомладински клуб - flooding date - + flooding datedate d'innondation + + AFI Awardاے ایف آئی انعام + musical artist - + + کل علاقے کی درجہ بندی + per capita income ($)Pro-Kopf-Einkommen ($)renda per capita ($) - годишња температура (K)jaartemperatuur (K)annual temperature (K)ετήσια θερμοκρασία (K)Jahrestemperatur (K) + jaartemperatuur (K)ετήσια θερμοκρασία (K)Jahrestemperatur (K)température annuelle (K)annual temperature (K)годишња температура (K) capacity factor - miejsce zamieszkania居住地verblijfplaatsresidenceκατοικίαResidenzPlace of residence of a person. + verblijfplaatsmiejsce zamieszkaniaκατοικία居住地ResidenzresidencePlace of residence of a person. principal areaHauptbereich @@ -3160,23 +4848,27 @@ http://www.idref.fr/$1 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 + building start datedate de début de constructionΗμερομηνία έναρξης κατασκευής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 preferredDate de début de construction d'une structure architecturale, d'un lac artificiel, etc. Pour des structures plus anciennes cela peut être simplement l'année ou le siècle, pour les structures plus récentes il est préférable de donner la date exacte assemblyMontageσυνέλευση resultFolgeαποτέλεσμα + + علم کتاب داری کی اعشاریہ درجہ بندیعلم کتاب داری کی اعشاریہ درجہ بندی لائبریری کی درجہ بندی کا ایک ملکیتی نظام ہے جسے میلویل ڈیوی نے 1876 میں تیار کیا تھا۔ length of a frontier deanDekanπρύτανηςdecaan - + + Average size of the revision per yearTaille moyenne des révisions par annéeused for DBpedia History > Subject must be a blank node containing a dc:date and a rdfs:valueutilisé par DBpedia Historique > Le sujet de cette relation doit être un noeud blanc contenant une dc:date et une rdfs:value + original maximum boat beam (μ) tribusStämmestam phone prefix label of a settlement - old provincealte Provinz + old provinceancienne provincealte Provinz DrugBankDrugBank @@ -3184,11 +4876,11 @@ http://www.idref.fr/$1 pro bowl pick - other language of a settlementanderen Sprache einer Siedlung + other language of a settlementautre langue de la colonieanderen Sprache einer Siedlung Radius_ly - number of visitorsBesucherzahlαριθμός επισκεπτώνbezoekersaantal + bezoekersaantalαριθμός επισκεπτώνBesucherzahlnombre de visiteursnumber of visitors displacement (g)Deplacement (g)A ship's displacement is its mass at any given time. @@ -3201,14 +4893,16 @@ http://www.idref.fr/$1FCFC 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. + call signindicativo de chamadaتعارفی نشانA 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). @@ -3234,13 +4928,13 @@ http://www.idref.fr/$1 overall recordGesamtbilanz - ptakbirdπτηνάéanVogelΤα πτηνά είναι ζώα ομοιόθερμα σπονδυλωτά, που στη συντριπτική πλειονότητα τους μπορούν να πετούν με τις πτέρυγες ή φτερούγες τους. + ptakπτηνάVogeléanoiseaubirdBirds are uniformly vertebrate animals, the vast majority of which can fly with their wings.Les oiseaux sont uniformément des animaux vertébrés, dont la grande majorité peut voler avec leurs ailes.Τα πτηνά είναι ζώα ομοιόθερμα σπονδυλωτά, που στη συντριπτική πλειονότητα τους μπορούν να πετούν με τις πτέρυγες ή φτερούγες τους. rebuilder resting placeRuhestätte埋葬地 - geologic period + geologic periodpériode géologique largest citygrößte Stadt @@ -3250,31 +4944,31 @@ http://www.idref.fr/$1 document numberDokumentnummerdocumentnummerIdentification a document within a particular registry - filling station + filling stationstation service hairs - flowerBlumeλουλούδι + flowerfleurBlumeλουλούδι production start dateProduktionsbeginn - rankPlatzierungRank of something among other things of the same kind, eg Constellations by Area; MusicalAlbums by popularity, etc + rankrangPlatzierungRank of something among other things of the same kind, eg Constellations by Area; MusicalAlbums by popularity, etcRang d'un élément parmi d'autres éléments du même type, par ex. les constellations par zone; les albums de musique par popularité, etc... number of countiesAnzahl der Landkreisenúmero de condados - band memberBandmitgliedbandlidμέλος μπάνταςA member of the band.Ένα μέλος της μπάντας. + bandlidμέλος μπάνταςBandmitgliedmembre de groupe de musiqueband memberA member of the band.Un membre du groupe de musique.Ένα μέλος της μπάντας. - 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. + common namenom d'usagegewö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.Nom habituel d'une entité. Souvent on utilise foaf:name pour tous les noms qu'une personne peut avoir; cette propriété précise le nom qui est habituellement utilisé. merger date - beïnvloed doorinfluenced byεπιρροέςinfluencé parbeeinflusst durchThe subject was influenced by the object. inverseOf influenced. Subject and object can be Persons or Works (eg ProgrammingLanguage) + beïnvloed doorεπιρροέςbeeinflusst durchinfluencé parinfluenced 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. + fare zonezone de tarificationTarifzoneThe fare zone in which station is located.Zone de tarification à laquelle appartient la gare.Die Tarifzone zu der die Station gehört. municipality codeGemeindecodegemeente-code @@ -3291,7 +4985,7 @@ http://www.idref.fr/$1 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 + ceilingplafonddienstplafondMaximum distance to the earth surface, to be expressed in kilometersDistance maximale jusqu'à la surface de la terre, exprimé en kilomètres Staatsformgovernment typestaatsvormtipo de governobroadly, the type of structure of its government @@ -3323,7 +5017,7 @@ http://www.idref.fr/$1 country originLand Herkunft - current seasonaktuelle SpielzeitΤρέχον Περίοδος + name in Mindongyu Chinesenaam in Mindongyu Chinees @@ -3343,7 +5037,7 @@ http://www.idref.fr/$1 reference for geographic dataReferenz für geographische Datengeometrie - has abstractabstractέχει περίληψηапстрактReserved for DBpedia.Προορίζεται για την DBpedia. + έχει περίληψηabstractخلاصہhas abstractапстрактReserved for DBpedia.Προορίζεται για την DBpedia. solvent with bad solubilityLösungsmittel mit schlechter Löslichkeitslecht oplosbaar in @@ -3355,7 +5049,7 @@ http://www.idref.fr/$1 nobel laureatesNobelpreisträger - naam bevolkingsgroepdemonymτοπονύμιο_πληθυσμούdémonymeVolksbezeichnungxentilicio + naam bevolkingsgroepτοπονύμιο_πληθυσμούVolksbezeichnungxentiliciodémonymedemonym commandantKommandant @@ -3367,16 +5061,20 @@ http://www.idref.fr/$1 map caption - first launcherster Start + first launchpremier lancementerster Start - average annual gross power generation (J) + average annual gross power generation (J)اوسط سالانہ پیداوار (J)اوسط سالانہ مجموعی بجلی کی پیداوار maximum inclination lyricsστίχοιparolier歌詞Creator of the text of a MusicalWork, eg Musical, Opera or Song + + vaccination maximum discharge (m³/s) - + + previous work dateannée de sortie oeuvre précédenteYear when previous work was releasedAnnée de sortie de l'oeuvre précédente + 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 @@ -3386,8 +5084,10 @@ http://www.idref.fr/$1von Klitzing electromagnetic constant (RK)von Klitzing elektromagnetisch Konstant (RK) county seatprovincie zetel - - number of vineyardsAnzahl von Weinbergen + + able to grindپیسنے کے قابلmahlenfähigmaalvaardig + + number of vineyardsnombre de vignoblesAnzahl von Weinbergen rotation period (s) @@ -3401,9 +5101,9 @@ http://www.idref.fr/$1 musical keyTonartμουσικό κλειδίtoonsoort - 受賞onderscheidingawardδιακρίσειςrécompenseAuszeichnungAward won by a Person, Musical or other Work, RaceHorse, Building, etc + onderscheidingδιακρίσεις受賞AuszeichnungانعامrécompenseawardAward won by a Person, Musical or other Work, RaceHorse, Building, etc - ethnic groupethnieetnia + ethnic groupgroupe ethniqueethnieetnia production companyProduktionsfirmaproductiebedrijfthe company that produced the work e.g. Film, MusicalWork, Software @@ -3411,15 +5111,17 @@ http://www.idref.fr/$1 continental tournament silver - airdateημερομηνία αέραдатум емитовања + airdateημερομηνία αέραдатум емитовањаرہائی کی تاریخ Wikidata IRI slitis used to denote splitting of a Wikidata IRI to one or more IRIs - + + date of acquirementAnschaffungszeitpunktημερομηνία απόκτησηςحصول کی تاریخ + current team memberA current member of an athletic team. wins at LETпобеде на LET - Crewπλήρωμαcrew + Crewéquipageπλήρωμαcrew rectorRektor @@ -3443,17 +5145,17 @@ http://www.idref.fr/$1 government country - original titleOriginaltiteloorspronkelijke titelThe original title of the work, most of the time in the original language as well + original titletitre originalOriginaltiteloorspronkelijke titelThe original title of the work, most of the time in the original language as wellTitre original de l'oeuvre, le plus souvent aussi dans la langue d'origine mute character in playName of a mute character in play. - FilmPolski.pl id + FilmPolski.pl idid de FilmPolski.pl - campus type + campus typeجامعہ کی قسم developerontwikkelaarEntwicklerdéveloppeurDeveloper of a Work (Artwork, Book, Software) or Building (Hotel, Skyscraper) - blue ski piste number + blue ski piste numbernuméro de piste de ski bleue gene location startlocus startpunt遺伝子座のスタート座標the start of the gene coordinates @@ -3465,13 +5167,13 @@ http://www.idref.fr/$1 ministerMinisterministre - canonized dateheiligverklaring datum + canonized datedate de canonisationheiligverklaring datum licence letter of a german settlement wins at pro tournamentsпобеде на професионалним турнирима - canonized byheilig verklaard door + canonized bycanonisé parheilig verklaard door providesbietet @@ -3489,7 +5191,7 @@ http://www.idref.fr/$1 fuel type - consecrationWeihewijding + consecrationconsécrationWeihewijding ESPN id @@ -3499,13 +5201,13 @@ http://www.idref.fr/$1 political majoritypolitische Mehrheit - administratorVerwalterуправникδιαχειριστής + διαχειριστήςVerwalterمنتظمadministrateuradministratorуправник location citylocatie stadvilleCity the thing is located. Number Of Capital Deputiesnumero de deputados distritais - area of catchment quote + area of catchment quoteآب گیری اقتباس کا علاقہ south-east placelieu au sud-estindique un autre lieu situé au sud-est.indicates another place situated south-east. @@ -3523,25 +5225,27 @@ http://www.idref.fr/$1 album duration (s)Album Länge (s)трајање албума (s) - višina (μ)身長 (μ)højde (μ)hoogte (μ)altura (μ)height (μ)ύψος (μ)hauteur (μ)Höhe (μ) + højde (μ)hoogte (μ)višina (μ)ύψος (μ)身長 (μ)Höhe (μ)altura (μ)hauteur (μ)height (μ) - 診療科specializzazione medicamedisch specialismemedical specialty진료과ιατρική ειδικότηταspécialité médicalemedizinisches Fachgebiet + 진료과medisch specialismeιατρική ειδικότητα診療科medizinisches Fachgebietspecializzazione medicaspécialité médicalemedical specialty flag border president general council - ingredientZutatMain ingredient used to prepare a specific Food or Beverage. For strings use ingredientName, for objects use ingredient. + ingredientingrédientZutatMain ingredient used to prepare a specific Food or Beverage. For strings use ingredientName, for objects use ingredient.Ingrédient principal utilisé pour préparer une alimentation spécifique ou une boisson. Pour les chaînes de caractères, utiliser ingredientName, pour les objets utiliser ingredient. aircraft helicopter cargoφορτίο ελικοφόρου αεροσκάφουςтеретни хеликоптер spacecraftRaumfahrzeugδιαστημόπλοιοvéhicule spatial absorbed byopgegaan in - + + ڈینس سکور + refseq mRNArefseq mRNA - distanza alla capitale (μ)distância até a capital (μ)distance to capital (μ)απόσταση από την πρωτεύουσα (μ)entfernung zur hauptstadt (μ) + απόσταση από την πρωτεύουσα (μ)entfernung zur hauptstadt (μ)distanza alla capitale (μ)distância até a capital (μ)distance to capital (μ) original maximum boat length (μ) @@ -3552,12 +5256,16 @@ http://www.idref.fr/$1governing bodybestuursorgaanVerwaltungsgremiumBody that owns/operates the Place. Polish Film AwardPolnischer FilmpreisPolska Nagroda Filmowa (Orzeł) - + + فعال سال کی شروعات کی تاریخactive years start date + MeSH number entourageGefolge key personSchlüsselperson + + Source WebsiteVaccinationStatistics: source website. declination @@ -3569,7 +5277,7 @@ http://www.idref.fr/$1 forcesforcesStreitkräfte - voiceStimmeгласVoice artist used in a TelevisionShow, Movie, or to sound the voice of a FictionalCharacter + voiceStimmeгласVoice artist used in a TelevisionShow, Movie, or to sound the voice of a FictionalCharacter government region @@ -3629,17 +5337,19 @@ http://www.idref.fr/$1 statistic valueStatistikwert - actual Campeón del mundohuidig wereldkampioencurrent world championchampion du monde actuelaktueller Weltmeister + actual Campeón del mundohuidig wereldkampioenaktueller Weltmeisterchampion du monde actuelcurrent world champion - cuenca hidrográfica (m2)waterscheiding (m2)watershed (m2)λεκάνη_απορροής (m2)Wasserscheide (m2) + cuenca hidrográfica (m2)waterscheiding (m2)λεκάνη_απορροής (m2)Wasserscheide (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. + + address in roadسڑک میں واقع ہےA building, organisation or other thing that is located in the road. government position credit - kompozytorcomponistcomposerσυνθέτηςcompositeurKomponist + componistkompozytorσυνθέτηςKomponistcompositeurcomposer opening filmEröffnungsfilm @@ -3649,7 +5359,7 @@ http://www.idref.fr/$1 innervates - cantidad de medallas de plata ganadasaantal gewonnen zilveren medaillesnumber of silver medals wonnomber de médailles d'argent gagnéesAnzahl der Silbermedaillen + cantidad de medallas de plata ganadasaantal gewonnen zilveren medaillesAnzahl der Silbermedaillennomber de médailles d'argent gagnéesnumber of silver medals won draftEntwurf @@ -3663,9 +5373,9 @@ http://www.idref.fr/$1 assistant principalκύριος βοηθός - previous workfrüheren Arbeitenvorig werkπροηγούμενη δημιουργία + vorig werkπροηγούμενη δημιουργίαfrüheren Arbeitenoeuvre précédenteprevious work - añoannoгодинаjaaryearέτοςannéeJahr + añojaarέτοςJahrannoannéeyearгодина start year of insertion @@ -3674,7 +5384,9 @@ http://www.idref.fr/$1portrayer human development index (HDI) categorycategoria do indice de desenvolvimento humano (IDH) - + + فعال سال + regencyRegentschaftkabupaten so named sinceso genannt seitzo genoemd sinds @@ -3713,13 +5425,13 @@ http://www.idref.fr/$1 pole driver country - coronation datekroningsdatum + coronation datedate de couronnementkroningsdatum 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 + alternatieve titelalternativer Titelautre titrealternative titleалтернативни насловThe alternative title attributed to a workAutre titre attribué à une oeuvre legend thumbnail localization @@ -3731,11 +5443,11 @@ http://www.idref.fr/$1 main branchvoornaamste tak - Date Last UpdatedDatum der letzten Aktualisierungdatum laatste bewerking + Date Last Updatedآخری تازہ کاری کی تاریخDatum 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 (μ) + distance to nearest city (μ)distance à la ville la plus proche (μ)vzdálenost k nejbližšímu městu (μ) world tournament silverброј сребрних медаља са светских турнира @@ -3747,7 +5459,7 @@ http://www.idref.fr/$1 inscriptionText of an inscription on the object - 生年geboortejaarbirth yearέτος γέννησηςGeburtsjahr + geboortejaarέτος γέννησης生年Geburtsjahrbirth year maximum apparent magnitudemaximale scheinbare Helligkeitmaximale schijnbare magnitude @@ -3761,7 +5473,7 @@ http://www.idref.fr/$1 debut teamπρώτη ομάδα - numberOfClassesnumber of defined Classes + numberOfClassesnombre de classesnumber of defined Classesnombre de classes définies head label @@ -3787,13 +5499,13 @@ http://www.idref.fr/$1 tuition ($)Schulgeld ($) - number of pagesnombre de pagesaantal pagina'sAnzahl der SeitenThe books number of pages. + number of pagesnombre de pagesaantal pagina'sAnzahl der SeitenThe books number of pages.Nombre de pages des livres. 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. - Поштански кодpostcodezip codeταχυδρομικός κώδικαςPostleitzahlcódigo postal + postcodeταχυδρομικός κώδικαςPostleitzahlcódigo postalzip 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. @@ -3821,7 +5533,7 @@ http://www.idref.fr/$1 networth ($) - wiki page uses templateWikiseite verwendet TemplateDO NOT USE THIS PROPERTY! For internal use only. + wiki page uses templatepage wiki transcluant un modèleWikiseite verwendet TemplateDO NOT USE THIS PROPERTY! For internal use only.NE PAS UTILISER CETTE PROPRIETE! Réservé à l'usage interne uniquement. fossilfossiel @@ -3829,7 +5541,7 @@ http://www.idref.fr/$1 number of orbitsAnzahl der Bahnen - 没年月日sterfdatumdeath dateημερομηνία_θανάτουdate de décèsSterbedatum + sterfdatumημερομηνία_θανάτου没年月日Sterbedatumdate de décèsdeath date extraction datetimeDate a page was extracted '''''' @@ -3845,7 +5557,7 @@ http://www.idref.fr/$1 template nameTemplatenameDO NOT USE THIS PROPERTY! For internal use only. - associate editorσυνεργαζόμενος συντάκτης + associate editorσυνεργαζόμενος συντάκτηςرفیقه مدیر managing editor @@ -3868,13 +5580,13 @@ http://www.idref.fr/$1RKDartists idRijksbureau voor Kunsthistorische Documentatie (RKD) artists database id. http://rkd.nl/explore/artists/$1 - シスターzusأختsisterαδελφήSchwester + zusأختαδελφήシスターSchwestersister - current partneraktueller Partner + current partnerpartenaire actuelaktueller Partner - official nameoffizieller Name + official namenom officieloffizieller Name - krajpaíslandpaísestatcountryχώραtírpaysLandThe country where the thing is located. + paísestatlandkrajχώραLandtírpaíspayscountryThe country where the thing is located. west placelieu à l'ouestindique un autre lieu situé à l'ouest.indicates another place situated west. @@ -3895,6 +5607,10 @@ http://rkd.nl/explore/artists/$1relation time dubberthe person who dubs another person e.g. an actor or a fictional character in movies + + نقصان کی رقم + + hotelhotêl nfl team @@ -3906,7 +5622,7 @@ http://rkd.nl/explore/artists/$1 fuel capacity (μ³)χωρητικότητα καυσίμου (μ³)Kraftstoffkapazität (μ³) - 死没地plaats van overlijdendeath placeτόπος_θανάτουlieu de décèsSterbeortThe place where the person died. + plaats van overlijdenτόπος_θανάτου死没地Sterbeortموت کی جگہlieu de décèsdeath placeThe place where the person died.وہ جگہ جہاں شخص کی موت ہوئی۔ laying down @@ -3921,26 +5637,30 @@ http://rkd.nl/explore/artists/$1summer temperature (K) mouth positionfoce (di un fiume)lugar de desembocadura - + + Active Casesفعال کیسزوبائی مرض میں فعال کیسوں کی تعداد + automobile platformAutomobilplattformπλατφόρμα αυτοκινήτων - brandstoffuelκαύσιμαcarburantTreibstoff + brandstofκαύσιμαTreibstoffcarburantfuel - leiderliderleaderηγέτηςFührer + leiderηγέτηςFührerliderleader 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 + damage amountschadebedragنقصان کی رقم - descubridordiscovererΑνακαλύφθηκε απόdécouvreurEntdecker + descubridorΑνακαλύφθηκε απόEntdeckerdécouvreurdiscoverer magazineMagazinπεριοδικό @@ -3958,15 +5678,15 @@ http://rkd.nl/explore/artists/$1 supplemental draft round - beatified byzalig verklaard door + beatified byzalig verklaard doorbéatifié par - date of acquirementAnschaffungszeitpunktημερομηνία απόκτησης + 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 + percentage of a place's male population that is literate, degree of analphabetismpourcentage de la population masculine alphabétisée d'un lieu, degré d'analphabétismepercentage van de mannelijke bevolking dat geletterd is spacewalk beginBeginn Weltraumspaziergang @@ -3982,7 +5702,7 @@ http://rkd.nl/explore/artists/$1 oil systemÖlsystem - partnerpartnerσυνέταιροςPartner + partnerσυνέταιροςPartnerpartenairepartner National Topographic System map number @@ -4029,7 +5749,9 @@ http://rkd.nl/explore/artists/$1following eventévènement suivant congressional district - + + agglomeration population totalمجموعی آبادی کل + spouse nameName des Ehepartnersόνομα συζύγου detractorKritiker @@ -4039,6 +5761,8 @@ http://rkd.nl/explore/artists/$1seiyu 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. @@ -4048,7 +5772,7 @@ http://rkd.nl/explore/artists/$1 foot - Active CasesNumber of active cases in a pandemic + Active Casesفعال کیسزوبائی مرض میں فعال کیسوں کی تعداد podiumsPodestplätze @@ -4058,7 +5782,9 @@ http://rkd.nl/explore/artists/$1 creator (agent)UrheberδημιουργόςmakerCreator/author of a work. For literal (string) use dc:creator; for object (URL) use creator - старостleeftijdageηλικίαAlter + leeftijdηλικίαAlterعمرageageстарост + + ایجنسی اسٹیشن کوڈایجنسی اسٹیشن کوڈ (ٹکٹ/مخصوص کرنے کا عمل وغیرہ پر استعمال کیا جاتا ہے)۔ number of pixels (millions)nombre de pixels (millions)Anzahl der Pixel (Millionen) @@ -4066,15 +5792,15 @@ http://rkd.nl/explore/artists/$1 amgIdAMG ID - number of vehiclesAnzahl der FahrzeugeNumber of vehicles used in the transit system. + number of vehiclesAnzahl der Fahrzeugenombre de véhiculesNumber of vehicles used in the transit system.Nombre de véhicules dans le système de transition. - data założenia創立日founding dateημερομηνία ίδρυσηςdáta bunaitheGründungsdatum + data założeniaημερομηνία ίδρυσης創立日Gründungsdatumdáta bunaithefounding date effectiveRadiatedPower (W) owning companyBesitzerfirma - logroдостигнућеprestatieachievementκατόρθωμαhaut fait, accomplissementLeistung + logroprestatieκατόρθωμαLeistunghaut fait, accomplissementachievementдостигнуће player statusSpielerstatus @@ -4094,7 +5820,7 @@ http://rkd.nl/explore/artists/$1 latest release datedate de dernière version - crewsBesatzungen + crewséquipagesBesatzungen Registered at Stock Exchangebeurs waaraan genoteerd @@ -4106,7 +5832,7 @@ http://rkd.nl/explore/artists/$1 notify dateBenachrichtigungsdatum - keukencuisineκουζίναcuisineKücheNational cuisine of a Food or Restaurant + keukenκουζίναKüchecuisinecuisineNational cuisine of a Food or Restaurant demographics as ofindicadores demograficos em @@ -4114,7 +5840,7 @@ http://rkd.nl/explore/artists/$1 editor titleτίτλος συντάκτη - 界_(分類学)regnorijkkingdomβασίλειοrègne (biologie)reichIn 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. + rijkβασίλειο界_(分類学)reichregnorègne (biologie)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 @@ -4126,7 +5852,7 @@ http://rkd.nl/explore/artists/$1 management elevation (μ) - biust (μ)バスト (μ)размер бюст (μ)bust size (μ)Μέγεθος προτομής (μ) + biust (μ)Μέγεθος προτομής (μ)バスト (μ)размер бюст (μ)bust size (μ) workArbeit @@ -4142,9 +5868,9 @@ http://rkd.nl/explore/artists/$1 height against - affairафера + affairمعاملہафера - passengers per yearpassagiers per jaarPassagiere pro JahrNumber of passengers per year. + passengers per yearpassagers par anpassagiers per jaarPassagiere pro JahrNumber of passengers per year.Nombre de passagers par an. set designerBühnenbildnerscenografothe person who is responsible for the film set design @@ -4164,16 +5890,18 @@ http://rkd.nl/explore/artists/$1 branch ofδιακλάδωση_του - synonymSynonymσυνώνυμοシノニム + συνώνυμοシノニムSynonymsynonymesynonym perifocusperifocus piercingPiercingpiercing - contestWettbewerb + contestconcoursWettbewerb handednesshabilidade com a maoan attribute of humans defined by their unequal distribution of fine motor skill between the left and right hands. - + + اوسط سالانہ پیداوار (J)اوسط سالانہ مجموعی بجلی کی پیداوار + roland garros double number of all resource / entities of a classcelkový počet zdrojů / entit v dané tříde @@ -4183,10 +5911,14 @@ http://rkd.nl/explore/artists/$1state of origin year divisionverdeling - + + آخری تازہ کاری کی تاریخ + visitor percentage changeпромена процента посетилацаprozentuale Veränderung der BesucherzahlPercentage increase or decrease. mythologyMythologiemitologiaμυθολογία + + پہلو کا تناسب(ٹیلی وژن) تناسب نظر / عکس کی چوڑائی کا بلندی سے تناسب past member @@ -4194,7 +5926,7 @@ http://rkd.nl/explore/artists/$1 associated musical artistσυνεργάτης-μουσικός καλλιτέχνης - armyArmeelegerστρατόςΈνας στρατός αποτελεί τις επίγειες ένοπλες δυνάμεις ενός έθνους + legerστρατόςArmeeفوجarméearmyAn army is the ground force of the nationUne armée est la force terrestre de la nationΈνας στρατός αποτελεί τις επίγειες ένοπλες δυνάμεις ενός έθνους 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/). @@ -4214,13 +5946,13 @@ http://rkd.nl/explore/artists/$1 race length (μ)Rennlänge (μ) - continentKontinentήπειροςcontinentelinks a country to the continent it belongsμεγάλες περιοχές ξηράς που περιστοιχίζονται από ωκεανούς + ήπειροςKontinentcontinentecontinentcontinentlinks a country to the continent it belongsrelie un pays au continent auquel il appartientμεγάλες περιοχές ξηράς που περιστοιχίζονται από ωκεανούς geolocdual victory percentage as managerпроценат победа на месту менаџера - 動物животињаbeestanimalζώοanimalTier + beestζώο動物Tieranimalanimalживотиња National tournament @@ -4244,13 +5976,13 @@ http://rkd.nl/explore/artists/$1 type of municipalityGemeindetyptype gemeente - numberOfPropertiesnumber of defined properties in DBpedia ontology + numberOfPropertiesnombre de propriétésnumber of defined properties in DBpedia ontologynombre de propriétés défines dans l'ontologie DBpedia this seasonbu sezon austrian land tag - penis length + penis lengthlongeur du pénis world tournament goldброј златних медаља са светских турнира @@ -4263,7 +5995,9 @@ http://rkd.nl/explore/artists/$1legal 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 - + + Source NameVaccinationStatistics: Source Authority name. + per capital income rank scientific namewissenschaftlicher Namewetenschappelijke naam @@ -4294,7 +6028,7 @@ http://rkd.nl/explore/artists/$1 lowest state - датум приступаtoegangsdatumaccess dateημερομηνία πρόσβασηςZugriffsdatum + toegangsdatumημερομηνία πρόσβασηςZugriffsdatumرسائی کی تاریخdate d'accèsaccess dateдатум приступа head teacherSchulleiter @@ -4308,7 +6042,7 @@ http://rkd.nl/explore/artists/$1 toll ($)Maut ($) - tower heightTurmhöhehoogte van de toren + tower heighthauteur de la tourTurmhöhehoogte van de toren current teamaktuelle Mannschaft所属チーム @@ -4322,27 +6056,27 @@ http://rkd.nl/explore/artists/$1 debutWorkFirst work of a person (may be notableWork or not) - pronunciationAussprache + pronunciationAussprache - first placeerster Platz + first placepremière placeerster Platz unknown outcomesнепознати исходиnumber of launches with unknown outcomes (or in progress)број лансирања са непознатим исходом или број лансирања који су у току - expeditionExpedition + expeditionexpéditionExpedition number of islandsAnzahl der Inseln aircraft helicopter utility - number of tracksAnzahl der GleiseNumber of tracks of a railway or railway station. + number of tracksnombre de voiesAnzahl der GleiseNumber of tracks of a railway or railway station.Nombre de voies d'un chemin de fer ou d'une gare. - postcodecódigo postalpostal codeταχυδρομικός κώδικαςcode postalPostleitzahlA 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. + postcodeταχυδρομικός κώδικαςPostleitzahlcódigo postalcode 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 + chemical formulaformule chimique BPN IdDutch project with material for 40,000 digitized biographies, including former colonies of the Netherlands. @@ -4350,7 +6084,7 @@ http://rkd.nl/explore/artists/$1 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 + codeκωδικόςCodeضابطہcodeSuperproperty for any designation (string, integer as string) that is meant to identify an entity within the context of a system selection point @@ -4368,9 +6102,9 @@ http://rkd.nl/explore/artists/$1 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. - hrabstwoprovinciecountyΕπαρχίαcontaeBezirkThe county where the thing is located. + provinciehrabstwoΕπαρχίαBezirkcontaecountyThe county where the thing is located. - start pointStartpunktσημείο_αρχής + start pointpoint de départStartpunktσημείο_αρχής number of entities of Person class who graduated from the universitypočet entit třídy Osoba s vystudovanou konkrétní univerzitou @@ -4386,7 +6120,7 @@ http://rkd.nl/explore/artists/$1 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 + 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) @@ -4404,21 +6138,23 @@ http://rkd.nl/explore/artists/$1 significant projectbedeutendes Projektistotne osiągnięcieA siginificant artifact constructed by the person. - licentielicenseάδειαlicenceLizenz + licentieάδειαLizenzlicencelicense aircraft helicopter observationπαρατήρηση ελικοφόρου αεροσκάφουςосматрање хеликоптером - + + انتظامی درجہadministrative status + requirementAnforderung - delegation + delegationdélégation - skin color + skin colorcouleur de peau BNF IdAuthority data of people listed in the general catalogue of the National Library of France type of municipalityArt der Gemeindetype gemeente - 子供kindطفلchildπαιδίKind + kindطفلπαιδί子供Kindenfantchild is peer reviewedIn academia peer review is often used to determine an academic papers suitability for publication. @@ -4426,35 +6162,37 @@ http://rkd.nl/explore/artists/$1 imposed danse score - 会社organisatiecompanyεταιρείαFirma + organisatieεταιρεία会社Firmacompagniecompany volcanic typeVulkantypтип вулкана roland garros single intercommunality - + + PersonsFirstDosesCumulNumber of persons received first vaccine doses + route directionHimmelsrichtung des VerkehrswegesThe general direction of the route (eg. North-South).Himmelsrichtung des Verkehrsweges (z.B. North-South). third commander - architectual bureauArchitekturbüroαρχιτεκτονική κατασκευή + 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 + альма-матерσπουδέςécolealma materстудијеschools that they attendedécoles fréquentées vice leadervicelider - delegate mayor + delegate mayorمندوب ناظم - shoe numberschoenmaatnúmero do sapato + shoe numberpointureschoenmaatnúmero do sapato state of origin team - waterWasserвода + watereauWasserвода life expectancyLebenserwartungexpectativa de vida @@ -4462,21 +6200,23 @@ http://rkd.nl/explore/artists/$1 film colour typespecifies the colour type of the film i.e. 'colour' or 'b/w' - pseudonympseudoniemPseudonym + pseudonympseudoniemPseudonympseudonyme - eskualdeaafdelingdepartmentdépartementAbteilung + afdelingAbteilungشعبہeskualdeadépartementdepartment - jest częściąes parte deis part offait partie deist ein Teil von + es parte dejest częściąist ein Teil vonfait partie deis part of - old districtAltstadt + old districtancienne régionAltstadt clusterbirlik salary ($)μισθός ($)Gehalt ($)給料 ($) - address in roadAdresse in Straßeδιεύθυνση στον δρόμοАдреса на путуA building, organisation or other thing that is located in the road.Ένα κτήριο, οργανισμός ή κάτι άλλο που βρίσκεται στον δρόμο. + διεύθυνση στον δρόμοAdresse in Straßeسڑک میں واقع ہےaddress in roadАдреса на путуA building, organisation or other thing that is located in the road.Ένα κτήριο, οργανισμός ή κάτι άλλο που βρίσκεται στον δρόμο. SATCATSATCATSATCATSATCATsatellite catalogue number, omit leading zeroes (e.g. 25544) + + اثاثے ($)اثاثے اور واجبات کمپنی کی بیلنس شیٹ کا حصہ ہیں۔ مالیاتی اکاؤنٹنگ میں، اثاثے اقتصادی وسائل ہیں۔ کوئی بھی ٹھوس یا غیر محسوس چیز جو قدر پیدا کرنے کے لیے ملکیت یا کنٹرول کرنے کے قابل ہو اور جس کی مثبت اقتصادی قدر ہو اسے اثاثہ سمجھا جاتا ہے۔ rebuild dateherbouw datum @@ -4492,19 +6232,19 @@ http://rkd.nl/explore/artists/$1 home arenaHeimarena - 没年jaar van overlijdendeath yearέτος θανάτουSterbejahr + jaar van overlijdenέτος θανάτου没年Sterbejahrdeath year - date unveileddatum onthullingDesignates the unveiling dateDuidt de datum van onthulling aan + date unveileddatum onthullingتاریخ کی نقاب کشائیDesignates the unveiling dateDuidt de datum van onthulling aanنقاب کشائی کی تاریخ مقرر کرتا ہے۔ geneReviewsId - 別名алијасaliasaliasψευδώνυμοпсевдонимalias + aliasпсевдонимψευδώνυμο別名aliasaliasалијас former coachEx-Trainer gross domestic product rank - numero de miembrosnúmero de membrosnumber of membersαριθμός μελώνnombre de membresAnzahl der Mitglieder + numero de miembrosαριθμός μελώνAnzahl der Mitgliedernúmero de membrosnombre de membresnumber of members Alps supergroupAlps υπερομάδαsupergruppo alpinoАлпска супергрупаthe Alps supergroup to which the mountain belongs, according to the SOIUSA classification @@ -4528,9 +6268,9 @@ http://rkd.nl/explore/artists/$1 present municipalityaktuelle Gemeindeligt nu in gemeente - boilerKesselδοχείο βράσης + boilerchaudièreKesselδοχείο βράσης - heiligesantosaintάγιοςHeiliger + heiligeάγιοςHeiligersantosaint operating systemλειτουργικό σύστημαBetriebssystembesturingssysteem @@ -4538,7 +6278,7 @@ http://rkd.nl/explore/artists/$1 olympic games silverzilver op de Olympische Spelen - narratorErzähler + narratornarrateurErzähler lower earth orbit payload (g)Payload mass in a typical Low Earth orbit @@ -4556,23 +6296,23 @@ http://rkd.nl/explore/artists/$1 arrest date - miejsce pochówkubegraafplaatslloc d'enterramentplace of burialτόπος θαψίματοςOrt der BestattungThe place where the person has been buried.Ο τόπος όπου το πρόσωπο έχει θαφτεί.De plaats waar een persoon is begraven. + lloc d'enterramentbegraafplaatsmiejsce pochówkuτόπος θαψίματοςOrt der Bestattungplace 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) - chromosom染色体chromosomeχρωμόσωμαcrómasómChromosom + chromosomχρωμόσωμα染色体Chromosomcrómasómchromosomechromosome map descriptionkaart omschrijving Primite - redaktorredacteureditorσυντάκτηςeagarthóirHerausgeber + redacteurredaktorσυντάκτηςHerausgebereagarthóireditor - SymbolsymboolSymbolHUGO Gene Symbol + SymbolsymbolesymboolSymbolHUGO Gene Symbol - siedzibaheadquarterαρχηγείοceanncheathrúsiègeHauptsitz + siedzibaαρχηγείοHauptsitzceanncheathrúsiègeheadquarter non-fiction subjectnon-fictie onderwerpThe subject of a non-fiction book (e.g.: History, Biography, Cookbook, Climate change, ...). @@ -4583,19 +6323,25 @@ http://rkd.nl/explore/artists/$1versionVersionversie 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 + + campus size (m2)جامعہ کا ناپ (m2) piston stroke (μ) end year of insertion - broerشقيقbrotherαδελφόςBruder - + broerشقيقαδελφόςBruderfrèrebrother + + فوج + PDB IDPDB IDgene entry for 3D structural data as per the PDB (Protein Data Bank) database gross domestic product per people @@ -4603,14 +6349,18 @@ http://rkd.nl/explore/artists/$1gross domestic product purchasing power parity per capita surface area (m2)Oberfläche (m2)έκταση (m2) + + airdateرہائی کی تاریخ 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 + parenthesesparenthèseshaakjes DorlandsIDDorlandsIDDorlandsID @@ -4628,11 +6378,11 @@ http://rkd.nl/explore/artists/$1 pertescasualtiesVerlusteverliezenNumber of casualties of a MilitaryConflict or natural disaster such as an Earthquake - branch fromπαράρτημα από + branch fromvient deπαράρτημα από commissionerKommissaropdrachtgever - 沸点 (K)kookpunt (K)boiling point (K)σημείο βρασμού (K)point d'ébullition (K)Siedepunkt (K) + kookpunt (K)σημείο βρασμού (K)沸点 (K)Siedepunkt (K)point d'ébullition (K)boiling point (K) victory as manager @@ -4644,7 +6394,7 @@ http://rkd.nl/explore/artists/$1 wpt titleWPT титула - agglomeration population totalукупна популација агломерације + agglomeration population totalمجموعی آبادی کلукупна популација агломерације number of rocketsAnzahl der Raketen @@ -4661,10 +6411,14 @@ http://rkd.nl/explore/artists/$1racket catching width of runway (μ)滑走路の全幅 (μ) + + تاریخ کا معاہدہ player in teamSpieler im Teamπαίχτης σε ομάδαA person playing for a sports team. inverseOf teamΆτομο που παίζει για αθλητική ομάδα. second + + زوال number of filmsAnzahl der Filmeαριθμός ταινιών @@ -4674,9 +6428,9 @@ http://rkd.nl/explore/artists/$1 voltage of electrification (V)Voltzahl der Elektrifizierung (V)Voltage of the electrification system. - abbey church blessingAbteikirche weiheопатијски црквени благослов + abbey church blessingAbteikirche weiheопатијски црквени благословابی چرچ کی برکت - logoλογότυποlogo + logologoλογότυποlogo garrisonGarnison @@ -4686,18 +6440,24 @@ http://rkd.nl/explore/artists/$1 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. - trainertrainerεκπαιδευτήςentraîneurTrainer + trainerεκπαιδευτήςTrainerentraîneurtrainer + + approachنقطہ نظرapproche landing dateLandedatum coachTrainerπροπονητής derivative + + Total VaccinationsVaccinationStatistics: Total vaccinations per date and country. reopening dateWiedereröffnungdatumDate of reopening the architectural structure. - fecha de descubrimientodescobridordiscovery dateΗμερομηνία ανακάλυψηςdate de découverteentdeckt - + fecha de descubrimientoΗμερομηνία ανακάλυψηςentdecktdescobridordate de découvertediscovery date + + جامع کا علقهجامع کا علقه کا مطلب ہے کوئی بھی شہری جامع کا علقه جو جامع کے طلباء کو رہائشی، تدریسی اور تحقیقی سہولیات فراہم کرتا ہے۔ + metropolitan boroughstadswijk date membership establisheddatum vaststellen ledental @@ -4711,16 +6471,20 @@ http://rkd.nl/explore/artists/$1track 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. - + + artist functionfonction artistiqueArtist function: vocal, group, instrumentalist, compositor...Fonction de l'artiste : chanteur, groupe, instrumentiste, compositeur... + + People VaccinatedVaccinationStatistics: Number of people vaccinated. + premiere placeThe theatre and/or city the play was first performed in. completion dateημερομηνία ολοκλήρωσηςFertigstellungstermindatum van oplevering - cable carDrahtseilbahn + cable carDrahtseilbahnطَنابی گاڑی arrondissementarrondissementarrondissementδιαμέρισμα - academic advisorpromotorακαδημαϊκοί_σύμβουλοιакадемски саветник + promotorακαδημαϊκοί_σύμβουλοιconseiller académiqueacademic advisorакадемски саветник Dorlands prefix @@ -4734,31 +6498,33 @@ http://rkd.nl/explore/artists/$1 free flight time (s) - data urodzenia生年月日জন্মদিনgeboortedatumdata de naixementbirth dateημερομηνία_γέννησηςdáta breithedate de naissanceGeburtsdatum + data de naixementজন্মদিনgeboortedatumdata urodzeniaημερομηνία_γέννησης生年月日Geburtsdatumdáta breithedate de naissancebirth date - eruptionAusbruch + eruptionéruptionAusbruch per capita income as ofrenda per capita em has natural busttem busto natural - circuit length (μ) + circuit length (μ)longueur de circuit (μ) - cantidad de medallas de bronce ganadasaantal gewonnen bronzen medaillesnumber of bronze medals wonnomber de médailles de bronze gagnéesAnzahl der gewonnenen Bronzemedaillen + cantidad de medallas de bronce ganadasaantal gewonnen bronzen medaillesAnzahl der gewonnenen Bronzemedaillennomber de médailles de bronze gagnéesnumber of bronze medals won United States National Bridge IDID националног моста у Сједињеним Америчким Државама draft year - + + list of singlesliste de singlesset of singlessuite de disques 45tours + end career sportSportάθλημαsport id - average depth quoteSource of the value. + average depth quoteاوسط گہرائی اقتباسSource of the value. - other activityandere Aktivität + other activityautre activitéandere Aktivität landing siteLandeplatz @@ -4772,7 +6538,7 @@ http://rkd.nl/explore/artists/$1 prominence (μ) - 属_(分類学)género (biología)geslachtgenusgenre (biologie)GattungA 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. + género (biología)geslacht属_(分類学)Gattunggenre (biologie)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 @@ -4785,6 +6551,8 @@ http://rkd.nl/explore/artists/$1engineeringenieurIngenieurμηχανικός officer in charge + + featuringfeaturingName of the second artist, apart the main artist, reserved preferently for singles, promotional singles and songs.Nom du second artiste, autre que l'artiste principal. À réserver de préférence aux singles, singles promotionnels et chansons. cylinder count @@ -4792,9 +6560,11 @@ http://rkd.nl/explore/artists/$1 national tournament silver - call sign meaningThe out written call sign. + call sign meaningتعارفی علامت کا مطلبThe out written call sign.باہر لکھا ہوا کال سائن۔ race resultResult of one racer in a sport competition + + main article for Wikipedia categoryHauptartikel fuer KategorieA property for linking Wikipedia categories to its main articles, derived from top templates of some category pages. EntrezGeneEntrezGene @@ -4810,7 +6580,9 @@ http://rkd.nl/explore/artists/$1 play role - active years end date manager + active years end date managerفعال سال کی آخری تاریخ Mgr + + PersonsFullDosesCumulNumber of persons received full vaccine doses enemyFeind @@ -4822,11 +6594,11 @@ http://rkd.nl/explore/artists/$1 sharing out population - other functionandere Funktion + other functionautre fonctionandere Funktion max - black ski piste number + black ski piste numbernuméro de piste de ski noire khl draft year @@ -4834,7 +6606,7 @@ http://rkd.nl/explore/artists/$1 Confirmed CasesNumber of confirmed cases in a pandemic - subsequent worknachfolgende Arbeitenvervolg werkεπόμενη δημιουργία + vervolg werkεπόμενη δημιουργίαnachfolgende Arbeitenoeuvre suivantesubsequent work restrictionBeschränkungThe use of a thing is restricted in a way.Die Verwendung von etwas ist beschränkt. @@ -4844,11 +6616,11 @@ http://rkd.nl/explore/artists/$1 shore length (μ)Uferlänge (μ)μήκος_όχθης (μ) - altitud (μ)hoogte (μ)ऊँचाई (μ)altitude (μ)elevation (μ)υψόμετρο (μ)altitude (μ)Höhe (μ)average elevation above the sea levelaltitude média acima do nível do mar + altitud (μ)hoogte (μ)υψόμετρο (μ)Höhe (μ)ऊँचाई (μ)altitude (μ)altitude (μ)elevation (μ)average elevation above the sea levelaltitude média acima do nível do mar source country - agglomeration demographicsдемографија агломерације + agglomeration demographicsдемографија агломерацијеجمع آبادیات work area (m2)радни простор (m2)Arbeitsplätze (m2) @@ -4866,7 +6638,7 @@ http://rkd.nl/explore/artists/$1 number of academic staffAnzahl der wissenschaftlichen Mitarbeiterαριθμός ακαδημαϊκού προσωπικού - colorChart + colorChartdistribution des couleurs climateclimaklimaklimaat @@ -4874,7 +6646,7 @@ http://rkd.nl/explore/artists/$1 gross domestic product (GDP) per capitaBruttoinlandsprodukt pro EinwohnerThe nominal gross domestic product of a country per capita.Das nominale Bruttoinlandsprodukt eines Landes pro Einwohner. - numero de pruebas deportivasnumber of sports eventsαριθμός αθλητικών γεγονότωνnumbre d'épreuves sportivesAnzahl der Sportveranstaltungen + numero de pruebas deportivasαριθμός αθλητικών γεγονότωνAnzahl der Sportveranstaltungennumbre d'épreuves sportivesnumber of sports events relatedverbundengerelateerd @@ -4896,13 +6668,13 @@ http://rkd.nl/explore/artists/$1 name in Traditional Chinesenaam in het Traditioneel Chinees - sub-orderonderorde + sub-ordersous-ordreonderorde title datetitel datumdata do titulo closing yearSluitingsjaarSchließungsjahr - 教育opleidingeducationéducationBildung + opleiding教育Bildungéducationeducation 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. @@ -4924,9 +6696,11 @@ http://rkd.nl/explore/artists/$1 governmentRegierunggouvernement - 息子zoonابنsonυιόςSohn + zoonابنυιός息子Sohnson updatedажуриранThe last update date of a resourceдатум последње измене + + active years start year managerفعال سال شروع سال largest settlementgrößte Siedlunggrootste plaats @@ -4936,7 +6710,7 @@ http://rkd.nl/explore/artists/$1 Alps main partκύριο μέρος των άλπεωνgrande parte alpinaглавни део Алпаthe Alps main part to which the mountain belongs, according to the SOIUSA classification - języktaallíngualanguageγλώσσαteangalangueSprachelinguaUse dc:language for literal, language for object + taaljęzykγλώσσαSpracheteangalíngualingualanguelanguageUse dc:language for literal, language for object boardεπιβιβάζομαιbestuur取締役会 @@ -4960,7 +6734,7 @@ http://rkd.nl/explore/artists/$1 source confluence position - production yearsProduktionsjahre + production yearsProduktionsjahreannées de production installed capacity (W) @@ -4970,7 +6744,7 @@ http://rkd.nl/explore/artists/$1 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 + lunar moduleMondfähremodule lunaire cost ($)Kosten ($)kosten ($)κόστος ($)Cost of building an ArchitecturalStructure, Ship, etc @@ -4981,32 +6755,34 @@ http://rkd.nl/explore/artists/$1custodianAufsichtsperson parliamentary groupFraktion - + + People Fully VaccinatedVaccinationStatistics: Number of people fully vaccinated. + foresterDistrict - 政党partijpartyπάρτυPartei + partijπάρτυ政党Parteiparty party numbernúmero do partido number of use of a propertypočet použití property - dateDatumdatumημερομηνία + datumημερομηνίαDatumdatedate special trial other partyandere Partei - AFDB IDcódigo no afdbafdb idafdb idAFDB ID + afdb idAFDB IDcódigo no afdbafdb idAFDB ID escape velocity (kmh) other information of a settlementandere Informationen einer Siedlung - memberMitgliedlid van + memberMitgliedlid van imposed danse competition - choreographerChoreographchoreograafχορογράφος + choreograafχορογράφοςChoreographchoréographechoreographer maximum depth quoteSource of the value. @@ -5016,13 +6792,13 @@ http://rkd.nl/explore/artists/$1 licence number - crew memberBesatzungsmitglied + crew membermembre d'équipageBesatzungsmitglied joint community - capitalhoofdstadराजधानीcapitalcapitalπρωτεύουσαcapitaleHauptstadt + capitalhoofdstadπρωτεύουσαHauptstadtराजधानीcapitalcapitalecapital - eyesAugenμάτιαogenΜάτι ονομάζεται το αισθητήριο όργανο της όρασης των ζωντανών οργανισμών. + ogenμάτιαAugenyeuxeyesThe eye is called the sensory organ of sight in living organisms.Μάτι ονομάζεται το αισθητήριο όργανο της όρασης των ζωντανών οργανισμών.L'œil est appelé l'organe sensoriel de la vue des organismes vivants. is part of anatomical structurees parte de una estructura anatómicaist ein Teil von anatomischer Struktur @@ -5047,12 +6823,14 @@ http://rkd.nl/explore/artists/$1frozengefrorenπαγωμένη successful launcheserfolgreiche Starts + + DosesFirstPremières dosesNumber of first vaccine doses.Nombre de premières doses. 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. - compañía discográficaplatenlabelrecord labelδισκογραφικήlabel discographique + compañía discográficaplatenlabelδισκογραφικήlabel discographiquerecord label project end dateProjektendeThe end date of the project. @@ -5088,9 +6866,9 @@ http://rkd.nl/explore/artists/$1 complexityComplexity of preparing a Food (recipe) - homageHuldigungeerbetoon + homagepage d'accueilHuldigungeerbetoon - date of an agreement + date of an agreementتاریخ کا معاہدہ incomeEinkommen @@ -5100,9 +6878,9 @@ http://rkd.nl/explore/artists/$1 ratingWertungcijfer - territoryGebietterritorio + territoryGebietterritorioterritoire - bronze medal doubleBronzemedaille Doppel + bronze medal doubledouble médaille de bronzeBronzemedaille Doppel TERYT codekod TERYTindexing code used by the Polish National Official Register of the Territorial Division of the Country (TERYT) to identify various entities @@ -5115,6 +6893,8 @@ http://rkd.nl/explore/artists/$1education system distance to Belfast (μ) + + تعارفی علامت کا مطلبباہر لکھا ہوا کال سائن۔ star rating @@ -5126,17 +6906,19 @@ http://rkd.nl/explore/artists/$1 recent winnerletzter Gewinner - number of live albumsAnzahl von Live-Albenthe number of live albums released by the musical artist + number of live albumsnombre d'albums liveAnzahl von Live-Albenthe number of live albums released by the musical artistnombre d'albums enregistrés en public et réalisés par l'artiste de musique major shrinebedeutender Schreinschrijn main organ - + + ایک طرف + timeshift channel salesVertriebπώλησηventeThis property holds an intermediate node of the type Sales. - Establishmentίδρυση + ίδρυσηEstablishmentEtablissement meaningBedeutung @@ -5144,7 +6926,7 @@ http://rkd.nl/explore/artists/$1 third - strona bcara bb sidetaobh bB-Seite + cara bstrona bB-Seitetaobh bb side subdivision name of the island @@ -5152,7 +6934,7 @@ http://rkd.nl/explore/artists/$1 recorded inopgenomen inηχογράφησηenregistré à - número de empleadosaantal medewerkersnumber of employeesαριθμός εργαζομένωνnombre d'employésAnzahl der Mitarbeiter + número de empleadosaantal medewerkersαριθμός εργαζομένωνAnzahl der Mitarbeiternombre d'employésnumber of employees area of searchSuchgebietΠεριοχή Αναζήτησης @@ -5162,7 +6944,7 @@ http://rkd.nl/explore/artists/$1 majority leadernumber of office holder - record dateStichtagopname datumηχογράφηση + opname datumηχογράφησηStichtagdate d'enregistrementrecord date number of parking lots for carsaantal parkeerplaatsen personenauto's @@ -5170,7 +6952,7 @@ http://rkd.nl/explore/artists/$1 special effectsSpezialeffektethe person who is responsible for the film special effects - 密度 (μ3)densità (μ3)densidade (μ3)density (μ3)πυκνότητα (μ3)densité (μ3)Dichte (μ3) + πυκνότητα (μ3)密度 (μ3)Dichte (μ3)densità (μ3)densidade (μ3)densité (μ3)density (μ3) IATA Location IdentifierΙΑΤΑ @@ -5178,7 +6960,7 @@ http://rkd.nl/explore/artists/$1 wins at LAGTпобеде на LAGT - compression ratioKompressionsverhältnis + compression ratiotaux de compressionKompressionsverhältnis egafd idegafd idcódigo no egafd @@ -5196,7 +6978,7 @@ http://rkd.nl/explore/artists/$1 maximum elevation (μ)κορυφή (μ)maximum elevation above the sea level - numberOfPropertiesUsednumber of all properties used as predicate in DBpedia + numberOfPropertiesUsednombre de propriétés utiliséesnumber of all properties used as predicate in DBpedianombre total de propriétés utilisées comme prédicat dans DBpedia tournament recordTurnierrekord @@ -5204,29 +6986,31 @@ http://rkd.nl/explore/artists/$1 hof - official languageAmtssprache + official languagelangue officielleAmtssprache saturation coordinate in the HSV colour space supply - 目_(分類学)ordeorder (taxonomy)διαταγήordre (taxonomie)Ordnung + ordeδιαταγή目_(分類学)Ordnungordre (taxonomie)order (taxonomy) mill span (μ)vlucht (μ)Εκπέτασμα (μ) third driverdritter Fahrer - + + اوسط گہرائی اقتباس + orogenyorogenèse - houseσπίτι + housemaisonσπίτι diseaseKrankheitPoints to a disease pertaining to the subject at hand.Verweist auf eine Krankheit. - event dateVeranstaltungstermin + event datedate de l'événementVeranstaltungstermin last winletzter Siegτελευταία νίκη - wykonawcaintérpreteartiestperformerκαλλιτέχνηςinterprèteInterpretThe performer or creator of the musical work. + intérpreteartiestwykonawcaκαλλιτέχνηςInterpretفنکارinterprèteperformerThe performer or creator of the musical work.موسیقی کے کام کا اداکار یا تخلیق کار۔Celui qui interprète ou qui a créé l'oeuvre musicale. denominationReligious denomination of a church, religious school, etc. Examples: Haredi_Judaism, Sunni_Islam, Seventh-day_Adventist_Church, Non-Denominational, Multi-denominational, Non-denominational_Christianity @@ -5250,7 +7034,7 @@ http://rkd.nl/explore/artists/$1 wilayaвилајет - Ländervorwahlcountry codeCountry code for telephone numbers. + Ländervorwahlcountry codecode du paysCountry code for telephone numbers.Code du pays dans la numérotation téléphonique. right child @@ -5259,8 +7043,10 @@ http://rkd.nl/explore/artists/$1illiteracyAnalphabetismusanalfabetismo managerManagerπροπονητής + + جمع آبادیات - adjacent settlement of a switzerland settlementСуседно насеље у Швајцарској + adjacent settlement of a switzerland settlementСуседно насеље у Швајцарскојملحقہ بستی asset under management ($)κεφάλαιο υπό διαχείριση ($) @@ -5269,21 +7055,21 @@ http://rkd.nl/explore/artists/$1operatorBetreiberexploitantOrganisation 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 + fatherpèreVater clubs record goalscorer junior season - oorsprongorigemoriginπροέλευσηorigineHerkunft + oorsprongπροέλευσηHerkunftorigemorigineorigin - AggregationAggregatie + AggregationAgrégatAggregatie - датум почетка активних годинаactieve jaren startdatumactive years start dateενεργά χρόνια ημερομηνία έναρξηςdate de début d'activité + actieve jaren startdatumενεργά χρόνια ημερομηνία έναρξηςفعال سال کی شروعات کی تاریخdate de début d'activitéactive 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 + number of parking spacesnombre de places de parkingAnzahl der Parkplätze drugs.comdrugs.comexternal link to drug articles in the drugs.com websiteVerweist auf den drugs.com Artikel über ein Medikament. @@ -5305,11 +7091,11 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u dist_pc - bestandsnaamfilenameόνομα αρχείουnom de fichierdateiname + bestandsnaamόνομα αρχείουdateinamenom de fichierfilename id number - danse score + danse scoreڈینس سکور former teamvoormalig team @@ -5317,15 +7103,17 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u wins at other tournamentsпобеде на осталим турнирима - number of volumes + number of volumesnombre de volumes raceRennen - + + AstrazencaCumulativeDoses阿斯利康制药公司,是一家由瑞典阿斯特公司(Astra AB)和英国捷利康公司(Zeneca Group PLC)于1999年4月6日合并而成的大型英瑞合资生物制药企业 + date constructionBauzeitέναρξη_κατασκευής draft pick - estatusstatusstatusstatutStatus + estatusstatusStatusstatutstatus dress codeThe recommended dress code for an establishment or event. @@ -5341,11 +7129,11 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u Council area - wielkość absolutnaапсолутна магнитудаabsolute magnitudeαπόλυτο μέγεθοςdearbhmhéidmagnitude absolueabsolute Helligkeit + wielkość absolutnaαπόλυτο μέγεθοςabsolute Helligkeitdearbhmhéidmagnitude absolueabsolute magnitudeапсолутна магнитуда solventLösungsmittel - publisheruitgeverHerausgeberεκδότηςPublisher of a work. For literal (string) use dc:publisher; for object (URL) use publisher + uitgeverεκδότηςHerausgeberéditeurpublisherPublisher of a work. For literal (string) use dc:publisher; for object (URL) use publisherEditeur d'une oeuvre. Pour le littéral (string) utilisez dc:publisher; pour l'objet (URL) utilisez l'éditeur population metro density (/sqkm)bevolkingsdichtheid (/sqkm) @@ -5355,7 +7143,7 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u wins at LPGAпобеде на LPGA - farvekleurcolourχρώμαcouleurFarbeA colour represented by its entity. + farvekleurχρώμαFarbecouleurcolourA colour represented by its entity. daira @@ -5363,9 +7151,9 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u country with first satellite launched - commentKommentarσχόλιο + commentcommentaireKommentarσχόλιο - agglomerationPopulationYearгодина популације агломерације + 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 @@ -5385,14 +7173,16 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u ICD1ICD1ICD1 - anniversaryJubiläumεπέτειοςгодишњица + επέτειοςJubiläumanniversaireanniversaryгодишњица - director de cineinstruktørregisseurfilm directorσκηνοθέτηςдиректорréalisateurregisseurA 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. + director de cineinstruktørregisseurдиректорσκηνοθέτηςregisseurréalisateurfilm 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τηλεοπτικές σειρές - + + number of the next tracknuméro de la piste suivantenumber of the next track in the recorded work.numéro de la piste suivante du support. + creative director Komplikationencomplicationsεπιπλοκέςcomplications @@ -5401,7 +7191,7 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u wins at pgaпобеде на PGA - passengers per dayPassagiere pro TagNumber of passengers per day. + passengers per daypassagers par jourPassagiere pro TagNumber of passengers per day.Nombre de passagers par jour. UniProtUniProt @@ -5429,7 +7219,7 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u has taxontaxon - año de fundaciónoprichtingsjaarfounding yearέτος ίδρυσηςGründungsjahr + año de fundaciónoprichtingsjaarέτος ίδρυσηςGründungsjahrfounding year Number Of CantonsAantal kantons @@ -5437,7 +7227,7 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u european parliament groupgrupo parlamentar europeu - eruption dateJahr des letzten Ausbruchsjaar uitbarsting + eruption dateannée de la dernière éruptionJahr 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. @@ -5464,12 +7254,16 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u 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 + processor (CPU)procesor (CPU)CPUprocesseur(CPU)CPUCPU of an InformationAppliance or VideoGame (which unfortunately is currently under Software)Processeur d'un équipement d'information ou d'un jeu vidéo (qui malheureusement est actuellement en charge du logiciel) + + الحاق + + bourgmestrebourgmestre NIS codeIndexing code used by the Belgium National Statistical Institute to identify populated places. @@ -5477,7 +7271,7 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u music subgenreMusik Subgenre - 大学универзитетuniversityπανεπιστήμιοUniversitätuniversity a person goes or went to.To πανεπιστήμιο είναι εκπαιδευτικό ίδρυμα ανώτατης εκπαίδευσης και επιστημονικής έρευνας που παρέχει πτυχίο πιστοποίησης ακαδημαϊκής εκπαίδευσης. + πανεπιστήμιο大学Universitätuniversityуниверзитетuniversity a person goes or went to.To πανεπιστήμιο είναι εκπαιδευτικό ίδρυμα ανώτατης εκπαίδευσης και επιστημονικής έρευνας που παρέχει πτυχίο πιστοποίησης ακαδημαϊκής εκπαίδευσης. worst defeathöchste Niederlageнајтежи пораз @@ -5491,7 +7285,7 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u lead team - number of studio albumsZahl der Studio-Albenthe number of studio albums released by the musical artist + number of studio albumsnombre d'albums studioZahl der Studio-Albenthe number of studio albums released by the musical artistnombre d'albums que l'artiste musical a réalisés en studio combattantfighterKämpfer @@ -5501,23 +7295,27 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u end reign - 叔母tanteعمةauntθείαTante + tanteعمةθεία叔母Tanteaunt police nameThe police detachment serving a UK place, eg Wakefield -> "West Yorkshire Police" countryLand蔵書数 - + + جامعہ کی قسم + career points - boiler pressureKesseldruckπίεση δοχείου βράσης + boiler pressurepression de la chaudièreKesseldruckπίεση δοχείου βράσης number of professionalsAnzahl von Fachleutennombre de professionnelsnumero de profesionalesnumber of people who earns his living from a specified activity. - alumniAlumniαπόφοιτοι πανεπιστημίουалумни + απόφοιτοι πανεπιστημίουAlumnianciens élèvesalumniалумни volcano idid вулкана NGC nameName for NGC objects + + تاریخ کی نقاب کشائینقاب کشائی کی تاریخ مقرر کرتا ہے۔ allcinema idallcinema idallcinema idallcinema id @@ -5527,15 +7325,17 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u employer's celebration - 国籍nationaliteitnacionalidadenationalityεθνικότηταnationalitéNationalität + nationaliteitεθνικότητα国籍Nationalitätnacionalidadenationaliténationality fees ($)Gebühren ($)δίδακτρα ($) - number of albumsAnzahl der Albenthe total number of albums released by the musical artist + number of albumsnombre d'albumsAnzahl der Albenthe total number of albums released by the musical artistnombre total d'albums que cet artiste musical a réalisés certificationcertification waterway through tunnelпловни пут кроз тунелWasserweg durch TunnelWaterway that goes through the tunnel. + + subsequent work dateannée de sortie oeuvre suivanteYear when subsequent work is releasedAnnée de sortie de l'oeuvre suivante course area (m2)コース面積 (m2)The area of courses in square meters. @@ -5545,15 +7345,17 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u project budget funding ($)The part of the project budget that is funded by the Organistaions given in the "FundedBy" property. - チームteamteamομάδαéquipeTeam + teamομάδαチームTeaméquipeteam highest point of the islandhöchste Erhebung der Insel aircraft transportαερομεταφορές - number of roomsAnzahl der Zimmerαριθμός δωματίωνaantal kamers + aantal kamersαριθμός δωματίωνAnzahl der Zimmernombre de piècesnumber of rooms - defeatήτταNiederlage + defeatήτταNiederlageشکست + + زمین کا علاقہ (m2) mayorMandate @@ -5573,7 +7375,7 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u first launch dateerster Starttermin - bateríabatteriabatterijbateriabatterypileBatteriePoints out the battery used with/in a thing. + bateríabatterijBatteriebatteriabateriapilebatteryPoints out the battery used with/in a thing. green coordinate in the RGB space @@ -5593,7 +7395,7 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u lethal when given to ratsdodelijk voor ratten - binomialDoppelbenennungδιωνυμικός学名 + διωνυμικός学名Doppelbenennungbinomialbinomialused to name species with a name consisting of two words.sert à nommer les espèces avec un nom composé de deux mots. bowling sideWerfarm @@ -5607,11 +7409,11 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u foal date - number of passengersaantal passagiers + number of passengersnombre de passagersaantal passagiers us open doubleUS Open дубл - argue dateδημοφιλής ημερομηνία + argue dateδημοφιλής ημερομηνίαبحث کی تاریخ page numberSeitenzahlpagina van verwijzingPage # where the referenced resource is to be found in the source document @@ -5619,7 +7421,7 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u defeat as team managerNiederlage als Trainer - vice presidentпотпредседникVizepräsident + vice presidentvice présidentпотпредседникVizepräsident licence number label @@ -5629,19 +7431,23 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u source confluence region - date completedολοκλήρωση - + date completedολοκλήρωσηمکمل تاریخ + + فن کاسرپرستایک بااثر، دولت مند شخص جس نے کسی فنکار، کاریگر، عالم یا بزرگ کی حمایت کی۔ + configurationconfiguratieKonfigurationconfiguration sport governing body provinceProvinzεπαρχίαprovincie - + + علاقے کا درجہ + ICD10ICD10 ChemSpider Ididentifier in a free chemical database, owned by the Royal Society of Chemistry - укупна површина (m2)oppervlakte (m2)area total (m2)έκταση περιοχής (m2)superficie (m2)Fläche (m2) + oppervlakte (m2)έκταση περιοχής (m2)Fläche (m2)superficie (m2)area total (m2)укупна површина (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. @@ -5657,7 +7463,7 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u Symptomesymptomsσύμπτωμαsymptômes - professionBerufεπάγγελμαberoep + beroepεπάγγελμαBerufprofessionprofession redline (kmh) @@ -5667,7 +7473,7 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u regional councilGemeinderat - orientationOrientierung + orientationorientationOrientierung number of countriesαριθμός χωρώνnúmero de países @@ -5675,8 +7481,10 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u currency codeWährungscodecód airgeadraISO 4217 currency designators. - allianceAllianzσυμμαχίαсавез - + συμμαχίαAllianzallianceallianceсавез + + ModernaCumulativeDoses莫德纳,是一家总部位于美国马萨诸塞州剑桥市的跨国制药、生物技术公司,专注于癌症免疫治疗,包括基于mRNA的药物发现、药物研发和疫苗技术 + general managerHauptgeschäftsführer length reference @@ -5698,10 +7506,14 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u amateur defeatаматерских пораза cover artistcover artistCover artist - - broadcast areaEmpfangsgebietπεριοχή αναμετάδοσης + + italic titletitre en italiqueControls whether the title of the article is shown in italics.Indique si le titre de l'article doit être en italique. Valeur oui / non + + broadcast areacouverture de diffusionEmpfangsgebietπεριοχή αναμετάδοσης mediaMedien + + agglomeration areaجمع کا علاقہ label of a website @@ -5711,9 +7523,9 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u release locationUsually used with releaseDate, particularly for Films. Often there can be several pairs so our modeling is not precise here... - budget ($)budget ($)budget ($)προϋπολογισμός ($)Etat ($) + budget ($)budget ($)προϋπολογισμός ($)Etat ($)budget ($) - regionregioregionπεριοχήRegionThe regin where the thing is located or is connected to. + regioregionπεριοχήRegionregionThe regin where the thing is located or is connected to. former band memberehemaliges Bandmitgliedvoormalig bandlidA former member of the band. @@ -5729,13 +7541,13 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u 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. + musicFormatmusikFormateformat de la musiqueThe format of the album: EP, Single etc.Format de l'album: EP, 45tours (single), etc. - bandieragöndere çekmekvlag (afbeelding)flag (image)σημαίαFlaggeWikimedia Commons file name representing the subject's flag + vlag (afbeelding)σημαίαFlaggebandieragö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) + numberOfPredicatesnombre de prédicatsnumber of predicates in DBpedia (including properties without rdf:type of rdf:Property)nombre de prédicats dans DBpedia (y compris les propriétés sans rdf:type de rdf:Property) fightKampf @@ -5759,7 +7571,7 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u bluecoordinate in the RGB space - walutavalutamoedacurrencyνομισματική μονάδαairgeadradeviseWährungυπολογίζει ή εκφράζει οικονομικές αξίες + valutawalutaνομισματική μονάδαWährungairgeadramoedadevisecurrencyυπολογίζει ή εκφράζει οικονομικές αξίες doctoral studentDoktorandδιδακτορικοί_φοιτητέςdoctoraalstudent @@ -5773,13 +7585,15 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u ELO rating - association of local governmentvereniging van lokale overhedenσυνεργασία της τοπικής αυτοδιοίκησης + association of local governmentvereniging van lokale overhedenσυνεργασία της τοπικής αυτοδιοίκησηςمقامی حکومت کی انجمن management country reigning poperegerende paus - адресаadresaddressδιεύθυνσηадресadresseAdresseAddress of something as literal. Usually Building, but we also use it for the address of a Region's or Settlement's government + adresадресδιεύθυνσηAdresseadresseaddressадресаAddress of something as literal. Usually Building, but we also use it for the address of a Region's or Settlement's government + + titre original non latinThe original non latin title of the workTitre original non latin de l'oeuvre seniunija @@ -5795,13 +7609,13 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u code Stock Exchangebeurscode - afbeeldingfigurapictureεικόναрисунокimagebildA picture of a thing.Une image de quelque chose. + afbeeldingрисунокεικόναbildfiguraimagepictureA picture of something or someone.Image de quelque chose ou quelqu'un. lunar EVA time (s) combatantKombattant - number of studentsZahl der Studierendenαριθμός φοιτητών + number of studentsnombre d'étudiantsZahl der Studierendenαριθμός φοιτητών number of reactorsAnzahl der Reaktorennombre de réacteursaantal reactoren @@ -5811,18 +7625,20 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u capital position - gwiazdozbiórTakımyıldızsterrenbeeldconstellationSternbild + sterrenbeeldgwiazdozbiórSternbildconstellationTakımyıldızconstellation - categorieKategoriecategoryκατηγορίαcatégorieKategorie + KategoriecategorieκατηγορίαKategoriecatégoriecategory creation christian bishop molecular weightMolekulargewichtmolgewicht - approach + approachنقطہ نظرapproche apc president - + + ناکارہاگر کمپنی ناکارہ ہے یا نہیں۔ اگر تاریخ دی گئی ہو تو اختتامی_تاریخ استعمال کریں۔ + total population rankingposição no ranking do total da populacao breederZüchterκτηνοτρόφος @@ -5835,7 +7651,9 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u 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. + patron (art)mécèneفن کاسرپرستAn 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 @@ -5851,7 +7669,7 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u reopenedwieder eröffnet - na podstawieop basis vanbased onβασισμένο σεbunaithe arbasierend auf + op basis vanna podstawieβασισμένο σεbasierend aufbunaithe arbasé surbased on staffPersonalπροσωπικό @@ -5888,7 +7706,7 @@ http://vocab.getty.edu/ulan/$1 comparablevergleichbarsimilar, unrelated rockets - diameter (μ)diameter (μ)διάμετρος (μ)diamètre (μ)Durchmesser (μ) + diameter (μ)διάμετρος (μ)Durchmesser (μ)diamètre (μ)diameter (μ) BAFTA AwardBAFTA Awardβραβείο BAFTA @@ -5896,7 +7714,7 @@ http://vocab.getty.edu/ulan/$1 route end locationOrt des WegendesThe end location of the route.End-Ort des Verkehrswegs. - ポジションpositiepositionΘέσηPosition + positieΘέσηポジションPositionposition maximum boat beam (μ)μέγιστο_πλάτος_πλοίου (μ) @@ -5904,7 +7722,7 @@ http://vocab.getty.edu/ulan/$1 team sizeTeamgröße - Music Band + Music Bandorchestre familyFamilietaalfamilierodzina @@ -5920,13 +7738,13 @@ http://vocab.getty.edu/ulan/$1 funded byιδρύθηκε απόgefördert durchA organisation financing the research project. - classKlasseτάξηklasse + klasseτάξηKlasseclasseclass avifauna population landing vehicle - znany z powoduconocido porbekend omknown forγνωστός_γιαconnu pourbekannt fürWork, historic event, etc that the subject is known for. Applies to Person, Organization, ConcentrationCamp, etc + conocido porbekend omznany z powoduγνωστός_γιαbekannt fürconnu pourknown forWork, historic event, etc that the subject is known for. Applies to Person, Organization, ConcentrationCamp, etcOeuvre, événement historique, etc pour lequel le sujet est connu. S'applique aux personnes, organisations, camps de concentration, etc hub airport @@ -5934,7 +7752,7 @@ http://vocab.getty.edu/ulan/$1 distance to Charing Cross (μ) - албумalbumalbumαπό το άλμπουμAlbum + albumαπό το άλμπουμAlbumalbumalbumалбум start wqs @@ -5966,13 +7784,15 @@ http://vocab.getty.edu/ulan/$1 twin countryPartnerland - diepte (μ)depth (μ)βάθος (μ)profondeur (μ)Tiefe (μ)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. + diepte (μ)βάθος (μ)Tiefe (μ)profondeur (μ)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 - lengte (μ)length (μ)μήκος (μ)longueur (μ)Länge (μ) + lengte (μ)μήκος (μ)Länge (μ)longueur (μ)length (μ) + + عمر has channel @@ -5980,7 +7800,7 @@ http://vocab.getty.edu/ulan/$1 maximum area quote - number of teamsAnzahl der Teamsnumero di squadre + number of teamsnombre d'équipesAnzahl der Teamsnumero di squadre maximum absolute magnitudemaximale absolute Helligkeitmaximale absolute magnitude @@ -5998,17 +7818,19 @@ http://vocab.getty.edu/ulan/$1 number of participating athletesAnzahl der teilnehmenden Athletennombre d'athlètes participant - number of volunteersAnzahl der Freiwilligenαριθμός εθελοντών + number of volunteersnombre de bénévolesAnzahl der Freiwilligenαριθμός εθελοντών - eraεποχή + 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 + 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 @@ -6022,15 +7844,15 @@ http://vocab.getty.edu/ulan/$1 national team match point - catholic percentage + catholic percentagepourcentage catholique 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. + 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 + death ageموت کی عمرηλικία θανάτουSterbealter Recovery CasesNumber of recovered cases in a pandemic @@ -6064,7 +7886,7 @@ http://vocab.getty.edu/ulan/$1 outflowAbflussεκροή - оружјеwapenweaponarmeWaffe + wapenWaffearmeweaponоружје number of resource / entities for concrete type of subjectpočet zdrojů / entint pro konkrétní typ subjectu @@ -6072,7 +7894,7 @@ http://vocab.getty.edu/ulan/$1 current team manager - classificationKlassifikationcategorieAny string representing a class or category this thing is assigned to. + classificationcatégoriecategorieAny string representing a class or category this thing is assigned to.Toute chaîne de caractères représentant une classe ou une catégorie à laquelle cette chose est assignée. movementBewegungbewegingmouvement artistiqueartistic movement or school with which artist is associated @@ -6097,13 +7919,17 @@ http://vocab.getty.edu/ulan/$1highest pointυψηλότερο σημείοhöchste Erhebung ski piste kilometre (μ)Skipiste km (μ) - - CampeónwinnaarchampionπρωταθλητήςchampionMeisterwinner of a competitionνικητής ενός διαγωνισμού + + عمارتی دفتر + + CampeónwinnaarπρωταθλητήςMeisterchampionchampionwinner of a competitionνικητής ενός διαγωνισμού launch padStartrampe Game Engineゲームエンジン - + + number of étoiles Michelinnombre d'étoiles Michelin + body styleτύπος σώματος first publishererster Herausgeberoorspronkelijke uitgever @@ -6122,7 +7948,7 @@ http://vocab.getty.edu/ulan/$1 organisation memberOrganisationsmitgliedIdentify the members of an organisation. - 兄弟broer of zussiblingfrère ou soeurGeschwister + broer of zus兄弟Geschwisterfrère ou soeursibling brain info typeτύπος νοητικής πληροφόρησης @@ -6130,7 +7956,7 @@ http://vocab.getty.edu/ulan/$1 UTC offsetUTC офсет - właścicieldueñoeigenaarownerιδιοκτήτηςúinéirpropriétaireEigentümerUsed as if meaning: owned by, has as its owner + dueñoeigenaarwłaścicielιδιοκτήτηςEigentümerúinéirpropriétaireownerUsed as if meaning: owned by, has as its owner wavelength (μ)Wellenlänge (μ)таласна дужина (μ)longueur d'onde (μ) @@ -6138,7 +7964,7 @@ http://vocab.getty.edu/ulan/$1 StadiumStadionστάδιο - exhibitionNotes about an exhibition the object has been to + exhibitionexpositionNotes about an exhibition the object has been toNotes relatives à l'exposition dont l'objet a fait partie on chromosomechromosoom nummerthe number corresponding to the chromosome on which the gene is located @@ -6172,13 +7998,13 @@ http://vocab.getty.edu/ulan/$1 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 + αστρολογικό ζώδιοSternzeichensigno astrológicoنشان نجومastrological sign resting place position geolocDepartment - TradeMarkMarca + TradeMarkMarcaMarque commerciale first raceerstes Rennen @@ -6186,7 +8012,7 @@ http://vocab.getty.edu/ulan/$1 same namegleicher Name - row numberZeilennummerregelnummer van verwijzingRow # where the referenced resource is to be found in the source file + row numberZeilennummernuméro de ligneregelnummer van verwijzingRow number where the referenced resource is to be found in the source fileNuméro de ligne où la ressource référencée doit se trouver dans le fichier source EKATTE codeIndexing code used by the Bulgarian National Statistical Institute to identify populated placesЕдинен класификатор на административно-териториалните и териториалните единици @@ -6200,7 +8026,7 @@ http://vocab.getty.edu/ulan/$1 regent ofSubject has served as the regent of another monarch - orbital eccentricity + orbital eccentricityexcentricité orbitale committee in legislatureAusschuss in der LegislativeCommittee in the legislature (eg.: Committee on Economic and Monetary Affairs of the European Parliament). @@ -6221,8 +8047,14 @@ http://vocab.getty.edu/ulan/$1roof 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 + + cable carDrahtseilbahnطَنابی گاڑی - registrationAnmeldung + registrationenregistrementAnmeldung + + Number of unique contributorsNombre de contributeurs uniquesused for DBpedia Historyutilisé par DBpedia Historique + + اے ٹی سی کوڈ number of competitorsAnzahl der Wettbewerber @@ -6239,10 +8071,12 @@ http://vocab.getty.edu/ulan/$1coach club team title - + + اکیڈمی ایوارڈموشن تصویر پروڈکشن اور کارکردگی میں کامیابیوں کے لئے اکیڈمی آف موشن تصویر آرٹس اور سائنسز کے ذریعہ ایک سالانہ اعزاز + neighboring municipalityNachbargemeindeaangrenzende gemeentemunicipío adjacente - タイトルtítulodenominazionetiteltitleΤίτλοςTitel + títulotitelΤίτλοςタイトルTiteldenominazionetitle orbitsBahnen @@ -6261,11 +8095,17 @@ http://vocab.getty.edu/ulan/$1chief place powerMacht + + Number of revision per yearNombre de révisions par annéeused for DBpedia History > Subject must be a blank node containing a dc:date and a rdfs:valueutilisé par DBpedia Historique > Le sujet de cette relation doit être un noeud blanc contenant une dc:date et une rdfs:value + + abbey church blessingابی چرچ کی برکت flash pointvlampuntlowest temperature at which a substance can vaporize and start burning - australia open double - + australia open doubleآسٹریلیا اوپن ڈبل + + رفیقه مدیر + distance to Edinburgh (μ)απόσταση από το Εδιμβούργο (μ) upper ageгорња старосна граница @@ -6275,10 +8115,12 @@ http://vocab.getty.edu/ulan/$1National Film AwardNationaler Filmpreis subsystemTeilsystem + + DosesSecondSecondes dosesNumber of second vaccine doses.Nombre de secondes doses de vaccin. output - ACT scoreACT σκορACT резултатmost recent average ACT scoresποιό πρόσφατες μέσες βαθμολογίες ACT + ACT scoreACT σκορACT резултатاے سی تی سکورmost recent average ACT scoresποιό πρόσφατες μέσες βαθμολογίες ACT caseFall @@ -6294,7 +8136,7 @@ http://vocab.getty.edu/ulan/$1 old team coached - burgemeestermayorδήμαρχοςmaireBürgermeister + burgemeesterδήμαρχοςBürgermeistermairemayor String designation of the WrittenWork describing the resourceAanduiding beschrijvend document @@ -6302,7 +8144,7 @@ http://vocab.getty.edu/ulan/$1 year of reported revenue - Nagroda Akademii FilmowejоскарAcademy AwardΒραβείο ακαδημίαςDuais an AcadaimhAcademy Award + Nagroda Akademii FilmowejΒραβείο ακαδημίαςAcademy AwardDuais an Acadaimhاکیڈمی ایوارڈAcademy Awardоскарموشن تصویر پروڈکشن اور کارکردگی میں کامیابیوں کے لئے اکیڈمی آف موشن تصویر آرٹس اور سائنسز کے ذریعہ ایک سالانہ اعزاز launch siteStartplatz @@ -6312,7 +8154,7 @@ http://vocab.getty.edu/ulan/$1 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συνεργαζόμενο συγκρότημα + associated bandσυνεργαζόμενο συγκρότημαمنسلک سازینه floor countverdiepingenαριθμός ορόφων @@ -6328,15 +8170,15 @@ http://vocab.getty.edu/ulan/$1 dynastyDynastiedynastie - athletics disciplineLeichtathletikdisziplin + athletics disciplinediscipline athlétiqueLeichtathletikdisziplin lieutenancy - total time person has spent in space (s)Gesamtzeit welche die Person im Weltraum verbracht hat (s) + total time person has spent in space (s)temps total passé dans l'espace par la personne (s)Gesamtzeit welche die Person im Weltraum verbracht hat (s) valvetrainVentilsteuerungdistribution (moteur) - 宗教religiereligiãoreligionθρησκείαreligionReligion + religieθρησκεία宗教Religionreligiãoreligionreligion agglomeration populationпопулација агломерације @@ -6356,7 +8198,7 @@ http://vocab.getty.edu/ulan/$1 ingredient name (literal)Main ingredient used to prepare a specific Food or Beverage. For strings use ingredientName, for objects use ingredient. - tipotypeप्रकारtypeτύποςtypeTyp + tipotypeτύποςTypप्रकारtypetype line length (μ)Linienlänge (μ)Length of the line. Wikipedians usually do not differentiate between track length and line lenght. @@ -6364,8 +8206,12 @@ http://vocab.getty.edu/ulan/$1 goals in national teamTore in der Nationalmannschaftinterland doelpunten代表得点 - gas chambersNumber or description of gas chambers of a ConcentrationCamp - + gas chamberschambres à gazNumber or description of gas chambers of a ConcentrationCampNombre ou description des chambres à gaz d'un camp de concentration + + فعال سال آخر سال + + موت کی جگہوہ جگہ جہاں شخص کی موت ہوئی۔ + GARDNumGARDNumGARDNumGARDNum number of pads @@ -6393,14 +8239,18 @@ http://vocab.getty.edu/ulan/$1number of dependency music byMusik von - - event descriptionbeschrijving gebeurtenis + + alternative texttexte alternatifReplacement text if the image cannot be displayed; used for screen readers; describes the image (max 120 chars recommended).Alternative textuelle de l'image ; remplace l'image pour les lecteurs d'écrans ; description succincte de l'image (un maximum de 120 caractères est recommandé). + + event descriptiondescription de l'événementbeschrijving gebeurtenisThis is to describe the event that hapened here (in case there is no event resource to be linked to)Sert à décrire l'événement qui s'est passé ici (dans le cas où il n'y a pas de ressource liée d'événement) 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 @@ -6428,7 +8278,7 @@ http://vocab.getty.edu/ulan/$1 mayor title of a hungarian settlement - streekजिलाdistritodistrictπεριοχήBezirk + streekπεριοχήBezirkजिलाdistritodistrict Olympischer Eidolympic oath sworn bylecteur du serment olympique @@ -6442,11 +8292,13 @@ http://vocab.getty.edu/ulan/$1 orbital inclinationBahnneigung - vertalertranslatorμεταφραστήςtraducteurÜbersetzerTranslator(s), if original not in English + vertalerμεταφραστήςÜbersetzertraducteurtranslatorTranslator(s), if original not in English - 職業beroepoccupationactivitéBeschäftigung + beroep職業Beschäftigungactivitéoccupation + + ملحقہ بستی - miejsce urodzenia出生地geboorteplaatslloc de naixementbirth placeτόπος_γέννησηςáit bhreithelieu de naissanceGeburtsortwhere the person was born + lloc de naixementgeboorteplaatsmiejsce urodzeniaτόπος_γέννησης出生地Geburtsortáit bhreithelieu de naissancebirth placewhere the person was born flag caption @@ -6457,7 +8309,9 @@ http://vocab.getty.edu/ulan/$1appearances in national teamεμφανίσεις στην εθνική ομάδαброј наступа у националном тиму webcastwebcastwebcastThe URL to the webcast of the Thing. - + + آبادیاتی + Wikipage disambiguatesReserved for DBpedia. rank in final medal count @@ -6500,11 +8354,13 @@ http://vocab.getty.edu/ulan/$1 lowest mountainχαμηλώτερο βουνόmontagne la plus basse - activityδραστηριότηταAktivitätактивност + δραστηριότηταAktivitätسرگرمیactivitéactivityактивност Number Of Federal DeputiesAnzahl der Bundesabgeordnetennumero de deputados federais mouth state + + People Vaccinated Per HundredVaccinationStatistics: total vaccination percent. novelRoman @@ -6514,7 +8370,7 @@ http://vocab.getty.edu/ulan/$1 retired rocket - alternative namealternativer Namenaamsvariantалтернативни називAlternative naming of anything not being a Person (for which case foaf:nick should be used). + naamsvariantalternativer Nameautre nomalternative nameалтернативни називAlternative naming of anything not being a Person (for which case foaf:nick should be used).Autre manière de nommer quelque chose qui n'est pas une personne (pour cette dernière, utilisez foaf:nick). catererhoreca @@ -6530,7 +8386,7 @@ http://vocab.getty.edu/ulan/$1 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). - sous-chefchefchefchef cuisinierKoch + sous-chefchefKochchef cuisinierchef australia open single @@ -6545,6 +8401,8 @@ http://vocab.getty.edu/ulan/$1neighbourhood of a hungarian settlement federationVerband + + Total Vaccinations Per HundredVaccinationStatistics: vaccinations per hundred. gini coefficient categorycategoria do coeficiente de Gini @@ -6566,7 +8424,7 @@ http://vocab.getty.edu/ulan/$1 human development index as ofÍndice de desenvolvimento humano em - publicationVeröffentlichung + publicationVeröffentlichungpublication winter appearancesзимски наступи @@ -6576,29 +8434,33 @@ http://vocab.getty.edu/ulan/$1 SELIBR IdAuthority data from the National Library of Sweden - administrative centerVerwaltungszentrumадминистративни центар + administrative centercentre administratifVerwaltungszentrumадминистративни центар - година изградњеbouwjaaryear of constructionέτος κατασκευήςBaujahrThe year in which construction of the Place was finished.Година када је изградња нечега завршена.Το έτος στο οποίο ολοκληρώθηκε η κατασκευή ενός μέρους. + bouwjaarέτος κατασκευήςBaujahryear of constructionгодина изградњеThe year in which construction of the Place was finished.Година када је изградња нечега завршена.Το έτος στο οποίο ολοκληρώθηκε η κατασκευή ενός μέρους. landeshauptmann area urban (m2)Stadtgebiet (m2)αστική περιοχή (m2)урбана површина (m2) - curatorKuratorconservator + curatorconservateurKuratorconservator - rodzina科_(分類学)familiefamilyοικογένειαfamillefamilie + familierodzinaοικογένεια科_(分類学)familiefamillefamily executive producerAusführender Produzent transmissionGetriebeμετάδοση - personName + personNamenom de personne 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 + + DeathsNumber of deaths caused by pandemic meeting roadzusammentreffende StraßeA road that crosses another road at the junction.Eine Straße die an der Kreuzung eine andere Straße kreuzt. @@ -6608,11 +8470,11 @@ http://vocab.getty.edu/ulan/$1 film versionverfilmd als - able to grindmahlenfähigmaalvaardig + able to grindپیسنے کے قابلmahlenfähigmaalvaardig highest placehöchster Platz - canonized placeheiligverklaring plaats + canonized placelieu de canonisationheiligverklaring plaats settlementSiedlungluogo abitato (insediamento) @@ -6627,7 +8489,9 @@ http://vocab.getty.edu/ulan/$1value coordinate in the HSV colour space international affiliationafiliacao internacional - + + تعارفی نشانتعارفی نشان (جسے کال کا نام یا کال لیٹر بھی کہا جاتا ہے، یا مختصراً کال کے طور پر جانا جاتا ہے) ٹرانسمیٹنگ اسٹیشن کے لیے ایک منفرد عہدہ ہے۔ + Penalties Team B character in playName of a character in play. @@ -6646,9 +8510,9 @@ http://vocab.getty.edu/ulan/$1 cannon number - campusCampusπανεπιστημιούποληΠανεπιστημιούπολη εννοείται κάθε πολεοδομικό συγκρότημα που προσφέρει οικιστικές, διδακτικές και ερευνητικές διευκολύνσεις στους φοιτητές ενός πανεπιστημίου. + πανεπιστημιούποληCampusجامع کا علقهcampuscampusCampus means any urban complex that offers residential, teaching and research facilities to the students of a university.Tout complexe urbain qui offre des installations résidentielles, d'enseignement et de recherche aux étudiants d'une université.Πανεπιστημιούπολη εννοείται κάθε πολεοδομικό συγκρότημα που προσφέρει οικιστικές, διδακτικές και ερευνητικές διευκολύνσεις στους φοιτητές ενός πανεπιστημίου.جامع کا علقه کا مطلب ہے کوئی بھی شہری جامع کا علقه جو جامع کے طلباء کو رہائشی، تدریسی اور تحقیقی سہولیات فراہم کرتا ہے۔ - engine type + engine typetype de moteur mouth district @@ -6658,7 +8522,7 @@ http://vocab.getty.edu/ulan/$1 bgafd idbgafd idcódigo no bgafd - limit + limitlimite silver medal singleSilbermedaille Einzel @@ -6668,12 +8532,14 @@ http://vocab.getty.edu/ulan/$1 population rural - fecha de iniciostartdatumstart datedate de débutStartdatumThe start date of the event. + fecha de iniciostartdatumStartdatumdate de débutstart dateThe start date of the event. former highschoolehemalige Highschool - continental tournament - + continental tournamenttournoi continental + + Drugdrogue药物 + silver medal mixedSilbermedaille gemischt cantonKantonkantoncanton @@ -6690,13 +8556,13 @@ http://vocab.getty.edu/ulan/$1 person that first ascented a mountainPerson , die zuerst einen Berg bestiegen hat - total area rankingσυνολική περιοχήукупна површина ранг + total area rankingσυνολική περιοχήукупна површина рангکل علاقے کی درجہ بندی olympic games winsoverwinningen op de Olympische Spelen main domain - skrótскраћеницаafkortingabbreviationσυντομογραφίαgiorrúchánabréviationAbkürzung + кратенкаafkortingskrótσυντομογραφίαAbkürzunggiorrúchánمخففabréviationabbreviationскраћеница year of first ascentJahr der Erstbesteigungjaar van de eerste beklimming @@ -6704,7 +8570,7 @@ http://vocab.getty.edu/ulan/$1 secondPopularVote - frequently updatedhäufig aktualisiert + frequently updatedmise à jour fréquentehäufig aktualisiert national teamNationalmannschaftnationaal team代表国 @@ -6712,23 +8578,23 @@ http://vocab.getty.edu/ulan/$1 co executive producer - chainKetteαλυσίδαThe (business) chain this instance is associated with. + chaîneKetteαλυσίδαThe (business) chain this instance is associated with.Chaîne (commerciale) à laquelle cette instance est associée. V_hb serving railway linespoorlijnenangebundene EisenbahnlinieRailway services that serve the station. - current cityaktuelle Stadt + current cityville actuelleaktuelle Stadt continental tournament bronze - architektarchitettoархитектаarchitectarchitectαρχιτέκτοναςailtireархитекторarchitecteArchitekt + architectархитекторarchitektαρχιτέκτοναςArchitektailtirearchitettoarchitectearchitectархитекта flag bearerFahnenträger apoapsis (μ)Apoapsisdistanz (μ)απόαψης (μ)апоапсис (μ) - ancho (μ)ширина (μ)breedte (μ)width (μ)πλάτος (μ)Breite (μ) + ancho (μ)breedte (μ)πλάτος (μ)Breite (μ)width (μ)ширина (μ) minimum discharge (m³/s) @@ -6744,18 +8610,20 @@ http://vocab.getty.edu/ulan/$1 school board - componentKomponente + componentKomponentecomposant rebuilding date - الشبكةbroadcast networkτηλεοπτικό κανάλιchaîne de télévision généralisteSendergruppeThe parent broadcast network to which the broadcaster belongs.Die Sendergruppe zu dem der Rundfunkveranstalter gehört. + الشبكةτηλεοπτικό κανάλιSendergruppechaîne de télévision généralistebroadcast networkThe 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 - + + singleOfsingle extraitsingle produced from an albumsingle extrait d'un album + full competition introduction dateEinführungsdatum @@ -6785,16 +8653,18 @@ http://vocab.getty.edu/ulan/$1battle honours clip up number + + رقبہ (m2) chairpersonVorsitzendervoorzitter first publication yearJahr der Erstausgabeπρώτο έτος δημοσίευσηςYear of the first publication.Jahr der ersten Veröffentlichung des Periodikums.Έτος της πρώτης δημοσίευσης. - kolor oczucor dos olhoseye colorχρώμα ματιούdath súileAugenfarbe + kolor oczuχρώμα ματιούAugenfarbedath súilecor dos olhoscouleur des yeuxeye color partial failed launchestotal number of launches resulting in partial failure - dead in fight place + dead in fight placeمردہ لڑائی کی جگہ jutsu @@ -6802,7 +8672,7 @@ http://vocab.getty.edu/ulan/$1 mill code NLmolen code NL - shoe sizeSchuhgrößeschoenmaatnúmero do sapato + schoenmaatSchuhgrößenúmero do sapatopointureshoe size gene location endlocus eindpunt遺伝子座のエンド座標the end of the gene @@ -6822,7 +8692,7 @@ http://vocab.getty.edu/ulan/$1 rivalRivale - победеzegeswinsνίκεςSiege + zegesνίκεςSiegewinsпобеде fuel consumptionκατανάλωση καυσίμουKraftstoffverbrauchbrandstofverbruik @@ -6832,13 +8702,13 @@ http://vocab.getty.edu/ulan/$1 project budget total ($)Gesamtprojektbudget ($)The total budget of the research project. - okres układu okresowegoperíode de la taula periòdicaelement periodpeiriad an tábla pheiriadaighпериод периодической таблицыPeriode des PeriodensystemsIn 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.строка периодической системы химических элементов, последовательность атомов по возрастанию заряда ядра и заполнению электронами внешней электронной оболочки. + període de la taula periòdicaпериод периодической таблицыokres układu okresowegoPeriode des Periodensystemspeiriad an tábla pheiriadaighelement 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 - 色名colour nameόνομα χρώματοςnom de couleurFarbennameA colour represented by a string holding its name (e.g.: red or green).Ένα χρώμα που αναπαρίσταται από μια ακολουθία χαρακτήρων που αντιπροσωπεύει το όνομά του (π.χ.: κόκκινο ή πράσινο). + όνομα χρώματος色名Farbennamenom de couleurcolour nameA colour represented by a string holding its name (e.g.: red or green).Ένα χρώμα που αναπαρίσταται από μια ακολουθία χαρακτήρων που αντιπροσωπεύει το όνομά του (π.χ.: κόκκινο ή πράσινο). start year of sales @@ -6856,12 +8726,16 @@ http://vocab.getty.edu/ulan/$1 dayTagημέραjour - filmfilmfilmταινίαfilmfilm + filmfilmταινίαfilmfilmfilm Golden Calf Award trusteeTreuhänder - + + PfizerCumulativeDoses辉瑞是源自美国的跨国制药、生物技术公司,营运总部位于纽约,研发总部位于康涅狄格州的格罗顿市 + + موت کی عمر + other nameanderer Name selection yearAuswahljahr @@ -6884,7 +8758,7 @@ http://vocab.getty.edu/ulan/$1 decoration - запремина (μ³)volume (μ³)volume (μ³)όγκος (μ³)volume (μ³)Volumen (μ³) + volume (μ³)όγκος (μ³)Volumen (μ³)volume (μ³)volume (μ³)запремина (μ³) stellar classificationspectraalklasse @@ -6896,11 +8770,11 @@ http://vocab.getty.edu/ulan/$1 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 + place of worshiplieu de culteKultstättegebedsplaatsA religious administrative body needs to know which places of worship itUne structure administrative religieuse doit connaître ses lieux de culteEen kerkelijke organisatie houdt bij welke gebedshuizen ze heeft trainer yearstrainersjaren - production end yearproductie eindjaar + production end yearproductie eindjaardernière année de production acting headteacherδιευθυντής σχολείουвд шефа наставе @@ -6908,18 +8782,20 @@ http://vocab.getty.edu/ulan/$1 Peabody Award - koledżcollegeκολλέγιοhaute écoleCollege + koledżκολλέγιοCollegehaute écolecollege bridge carriesγέφυρα μεταφοράςType of vehicles the bridge carries. - архипелагarchipelarchipelagoαρχιπέλαγοςArchipel + archipelαρχιπέλαγοςArchipelarchipelagoархипелаг kind of criminal action primary fuel type short prog competition - + + Daily Vaccinations Rawروزانہ ویکسین خامVaccinationStatistics: Daily vaccinations (raw data).ویکسینیشن کے اعدادوشمار: روزانہ ویکسینیشن (خام ڈیٹا)۔ + other mayor councillor @@ -6946,13 +8822,17 @@ http://vocab.getty.edu/ulan/$1 reign - date disappearance of a populated place - + date disappearance of a populated place + + other worksautres oeuvresTells about existence of other works.Indique l'existence d'autres oeuvres antérieures/postérieures. + City district code mountain rangeGebirgebergketen final publication yearJahr der finalen AusgabeYear of the final publication.Jahr der allerletzten Veröffentlichung des Periodikums. + + جوہری عددکسی عنصر کے ایٹموں کی اوسط کمیت کا تناسب (ایک دیے گئے نمونے یا ماخذ سے) کاربن 12 کے ایٹم کے بڑے پیمانے پر east placelieu à l'estindique un autre lieu situé à l'est.indicates another place situated east. @@ -6960,17 +8840,15 @@ http://vocab.getty.edu/ulan/$1 religious head label - distance (μ)Entfernung (μ) - - davis cup + distance (μ)distance (μ)Entfernung (μ) - last pro matcherstes Profispiel + last pro matchdernier match professionnelerstes Profispiel black coordinate in the CMYK space a municipality's new nameneuer Name einer Gemeindenieuwe gemeentenaam - mottolemamottoσύνθημαdeviseMotto + mottoσύνθημαMottolemadevisemotto 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. @@ -6979,8 +8857,10 @@ http://vocab.getty.edu/ulan/$1patentPatentpatente polePol - - oldcode + + academic disciplineتعلیمی نظم و ضبط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.ایک قرارداد میٹنگ یا کنونشن کے ذریعہ اختیار کردہ ایک رسمی بیان کی وضاحت کرتی ہے + + oldcodeancien code decayαποσύνθεση @@ -6992,9 +8872,9 @@ http://vocab.getty.edu/ulan/$1 showJudge - duur (s)runtime (s)διάρκεια (s)durée (s)Laufzeit (s) + duur (s)διάρκεια (s)Laufzeit (s)durée (s)runtime (s) - strefa czasowahuso horariotijdzonefuso horariozona horàriatime zoneζώνη_ώρας1fuseau horaireZeitzone + huso horariozona horàriatijdzonestrefa czasowaζώνη_ώρας1Zeitzonefuso horariofuseau horairetime zone ranking winsSiege in Ranglistenturnieren @@ -7004,15 +8884,17 @@ http://vocab.getty.edu/ulan/$1 boroughBezirkδήμοςstadsdeel - agglomeration areaBallungsraumобласт агломерације + agglomeration areaجمع کا علاقہBallungsraumобласт агломерације highschoolGymnasium cyanic coordinate in the CMYK space - + + agencyایجنسی + wins at sunпобеде на SUN - power output (W)Ausgangsleistung (W) + power output (W)puissance de sortie (W)Ausgangsleistung (W) building end yearbouw eindjaarέτος λήξης κατασκευής @@ -7027,12 +8909,14 @@ http://vocab.getty.edu/ulan/$1notableIdea unique reference number (URN)DfE unique reference number of a school in England or Wales + + فنکارموسیقی کے کام کا اداکار یا تخلیق کار۔ comitat of a settlement stylistic originstilistische Herkunftorigens estilísticas - liczba atomowaatoomnummeratomic numberuimhir adamhachOrdnungszahlliczba określająca, ile protonów znajduje się w jądrze danego atomuhet 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-12Is eard is uimhir adamhach (Z) adaimh ann ná líon na bprótón i núicléas an adaimh sindie Anzahl der Protonen im Atomkern eines chemischen Elements, deshalb auch Protonenzahl. + atoomnummerliczba atomowaOrdnungszahluimhir adamhachجوہری عددatomic numberhet atoomnummer of atoomgetal (symbool: Z) geeft het aantal protonen in de kern van een atoom aan.liczba określająca, ile protonów znajduje się w jądrze danego atomudie Anzahl der Protonen im Atomkern eines chemischen Elements, deshalb auch Protonenzahl.Is eard is uimhir adamhach (Z) adaimh ann ná líon na bprótón i núicléas an adaimh sinکسی عنصر کے ایٹموں کی اوسط کمیت کا تناسب (ایک دیے گئے نمونے یا ماخذ سے) کاربن 12 کے ایٹم کے بڑے پیمانے پر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 @@ -7042,11 +8926,11 @@ http://vocab.getty.edu/ulan/$1 spacestationraumstationspace station that has been visited during a space missionRaumstation, die während einer Raummission besucht wurde - позивни бројnetnummerदूरभाष कोडarea codeκωδικός_περιοχήςместный телефонный кодindicatif régionalVorwahlArea code for telephone numbers. Use this not phonePrefix + netnummerместный телефонный кодκωδικός_περιοχήςVorwahlदूरभाष कोडindicatif régionalarea codeпозивни бројArea code for telephone numbers. Use this not phonePrefix - cooling systemKühlsystem + cooling systemsystème de refroidissementKühlsystem - free + freelibre pastor @@ -7056,9 +8940,9 @@ http://vocab.getty.edu/ulan/$1 designer company - engineMotorμηχανήmotor + μηχανήMotormotormoteurengine - AFI Awardβραβείο AFIAFI награда + AFI Awardβραβείο AFIAFI наградаاے ایف آئی انعام endangered sincegefährdet seitem perigo desde @@ -7068,29 +8952,33 @@ http://vocab.getty.edu/ulan/$1 watercourseWasserlaufводоток - ISSNISSNissnissnISSNISSNInternational Standard Serial Number (ISSN) + ISSNISSNissnISSNISSNissnInternational Standard Serial Number (ISSN) Dutch RKD codeCode Rijksbureau voor Kunsthistorische Documentatie lethal when given to rabbitsdodelijk voor konijnen height above average terrain (μ) + + یونانی لفظ سے ماخُوذ - producentproducentproducerπαραγωγόςпродюсерProduzentThe producer of the creative work. + producentпродюсерproducentπαραγωγόςProduzentproducteurproducerThe producer of the creative work.Producteur de l'oeuvre créative. railway line using tunnelTunnel benutzende EisenbahnlinieRailway line that is using the tunnel. piscicultural population - createderstellt + createdcrééerstellt - ChEBIA unique identifier for the drug in the Chemical Entities of Biological Interest (ChEBI) ontology + ChEBIChEBIA unique identifier for the drug in the Chemical Entities of Biological Interest (ChEBI) ontologyIdentifiant unique de la drogue dans l'ontologie des Chemical Entities of Biological Interest (ChEBI) relief digital channelDigitalkanalΨηφιακό κανάλιΈνα ψηφιακό κανάλι επιτρέπει την μετάδοση δεδομένων σε ψηφιακή μορφή. - tipo de aviónтип летелицеaircraft typeτύπος αεροσκάφουςFlugzeugtyp + tipo de aviónτύπος αεροσκάφουςFlugzeugtypaircraft typeтип летелице + + abstentionsپرہیزan líon daoine a staon ó vótáilووٹ سے پرہیز کرنے والوں کی تعداد leader titleτίτλος_αρχηγούशासक पद @@ -7100,7 +8988,7 @@ http://vocab.getty.edu/ulan/$1 prospect league - beatified placezalig verklaard plaats + beatified placelieu béatifiézalig verklaard plaats maiden voyage @@ -7114,7 +9002,7 @@ http://vocab.getty.edu/ulan/$1 architectural movementArchitekturbewegungархитектонски покрет - destruction datesloopdatumημερομηνία καταστροφής + destruction datedate de destructionsloopdatumημερομηνία καταστροφής olympic oath sworn by judge @@ -7136,17 +9024,19 @@ http://vocab.getty.edu/ulan/$1 name in Yue Chinesenaam in het Kantonees Chinees - productproductProduktπροϊόν - - приступtoegangaccessπρόσβασηZugriff + productπροϊόνProduktproduitproduct + + + + toegangπρόσβασηZugriffرسائیaccèsaccessприступ American Comedy Awardαμερικάνικο βραβείο κωμωδίαςамеричка награда за комедију - demolition dateημερομηνία κατεδάφισηςThe date the building was demolished. + demolition datedate de démolitionημερομηνία κατεδάφισηςانہدام کی تاریخThe date the building was demolished.Date à laquelle l'immeuble a été démoli.جس تاریخ کو عمارت گرائی گئی۔ lunar sample mass (g) - affiliate + affiliateالحاق authorityBehördeautoriteitαρχή @@ -7166,7 +9056,7 @@ http://vocab.getty.edu/ulan/$1 parishGemeinde - campus size (m2) + campus size (m2)جامعہ کا ناپ (m2) genderφύλοGeschlechtgeslacht @@ -7182,7 +9072,7 @@ http://vocab.getty.edu/ulan/$1 wpt final tableWPT финале - 綱_(分類学)clase (biología)klasseclassisclasse (biologie)the 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). + clase (biología)klasse綱_(分類学)classe (biologie)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 @@ -7191,8 +9081,10 @@ http://vocab.getty.edu/ulan/$1previous infrastructurevorherige Infrastrukturvorige infrastructuur draft league - - hair colourHaarfarbe + + سرگرمی + + hair colourcouleur des cheveuxHaarfarbe school patron @@ -7210,7 +9102,7 @@ http://vocab.getty.edu/ulan/$1 number of crewαριθμός πληρώματοςaantal bemanningsleden - average speed (kmh)Durchschnittsgeschwindigkeit (kmh)μέση ταχύτητα (kmh)The average speed of a thing.Η μέση ταχύτητα ενός πράγματος. + average speed (kmh)vitesse moyenne (kmh)Durchschnittsgeschwindigkeit (kmh)μέση ταχύτητα (kmh)The average speed of a thing.Vitesse moyenne du déplacement d'un objet.Η μέση ταχύτητα ενός πράγματος. current statusaktueller Statushuidige status @@ -7226,8 +9118,10 @@ http://vocab.getty.edu/ulan/$1 date closedτερματισμός_λειτουργίας - number of holes - + number of holesnombre de trous + + اے سی تی سکور + mill code NLmolen code NLmills code from the central Dutch database on millsunieke code voor molens in www.molendatabase.nl romanianNewLeu @@ -8375,21 +10269,61 @@ http://vocab.getty.edu/ulan/$1 microsecond - - lengte (mm)length (mm)μήκος (mm)longueur (mm)Länge (mm) + + mass (kg)Masse (kg)μάζα (kg) + + + + + lengte (mm)μήκος (mm)Länge (mm)longueur (mm)length (mm) + + average speed (km/s)vitesse moyenne (km/s)Durchschnittsgeschwindigkeit (km/s)μέση ταχύτητα (km/s) + The average speed of a thing.Vitesse moyenne du déplacement d'un objet.Η μέση ταχύτητα ενός πράγματος. + + + + discharge (m³/s)εκροή (m³/s)uitstoot (m³/s) + + + wheelbase (mm)Radstand (mm)међуосовинско растојање (mm) + + duur (m)διάρκεια (m)Laufzeit (m)durée (m)runtime (m) + + + + + oppervlakte (km2)έκταση (km2)Fläche (km2)área (km2)رقبہ (km2)superficie (km2)area (km2)област (km2) + The area of the thing in square meters. + + + + højde (mm)hoogte (mm)višina (mm)ύψος (mm)身長 (mm)Höhe (mm)altura (mm)hauteur (mm)height (mm) + + + total mass (kg)Gesamtmasse (kg) + + diameter (mm)διάμετρος (mm)Durchmesser (mm)diamètre (mm)diameter (mm) + + + + + fuel capacity (l)χωρητικότητα καυσίμου (l)Kraftstoffkapazität (l) + + + area urban (km2)Stadtgebiet (km2)αστική περιοχή (km2)урбана површина (km2) @@ -8400,26 +10334,71 @@ http://vocab.getty.edu/ulan/$1 + + course (km) + + + - запремина (km3)volume (km3)volume (km3)όγκος (km3)volume (km3)Volumen (km3) + volume (km3)όγκος (km3)Volumen (km3)volume (km3)volume (km3)запремина (km3) + + campus size (km2)جامعہ کا ناپ (km2) + + + + + melting point (K)Schmelzpunkt (K)point de fusion (K)融点 (K) + + + - запремина (μ³)volume (μ³)volume (μ³)όγκος (μ³)volume (μ³)Volumen (μ³) + volume (μ³)όγκος (μ³)Volumen (μ³)volume (μ³)volume (μ³)запремина (μ³) + + maximum boat length (μ)μέγιστο_μήκος_πλοίου (μ) + + + + + ancho (mm)breedte (mm)πλάτος (mm)Breite (mm)width (mm)ширина (mm) + + + + + diameter (μ)διάμετρος (μ)Durchmesser (μ)diamètre (μ)diameter (μ) + + + + + kookpunt (K)σημείο βρασμού (K)沸点 (K)Siedepunkt (K)point d'ébullition (K)boiling point (K) + + + cargo water (kg) + + shore length (km)Uferlänge (km)μήκος_όχθης (km) + + + - ancho (mm)ширина (mm)breedte (mm)width (mm)πλάτος (mm)Breite (mm) + ancho (mm)breedte (mm)πλάτος (mm)Breite (mm)width (mm)ширина (mm) + + power output (kW)puissance de sortie (kW)Ausgangsleistung (kW) + + + CO2 emission (g/km) @@ -8430,11 +10409,26 @@ http://vocab.getty.edu/ulan/$1 + + højde (mm)hoogte (mm)višina (mm)ύψος (mm)身長 (mm)Höhe (mm)altura (mm)hauteur (mm)height (mm) + + + - višina (mm)身長 (mm)højde (mm)hoogte (mm)altura (mm)height (mm)ύψος (mm)hauteur (mm)Höhe (mm) + højde (mm)hoogte (mm)višina (mm)ύψος (mm)身長 (mm)Höhe (mm)altura (mm)hauteur (mm)height (mm) + + maximum temperature (K)Maximaltemperatur (K)μέγιστη θερμοκρασία (K) + + + + + original maximum boat length (μ) + + + periapsis (km)Periapsisdistanz (km) @@ -8446,12 +10440,27 @@ http://vocab.getty.edu/ulan/$1 - 体重 (kg)vægt (kg)тежина (kg)gewicht (kg)peso (kg)weight (kg)βάρος (kg)poids (kg)Gewicht (kg) + vægt (kg)gewicht (kg)βάρος (kg)体重 (kg)Gewicht (kg)peso (kg)poids (kg)weight (kg)тежина (kg) + + mean temperature (K)Durchschnittstemperatur (K)μέση θερμοκρασία (K) + + + + + volume (km3)όγκος (km3)Volumen (km3)volume (km3)volume (km3)запремина (km3) + + + + + floor area (m2)vloeroppervlak (m2)περιοχή ορόφων (m2) + + + - višina (mm)身長 (mm)højde (mm)hoogte (mm)altura (mm)height (mm)ύψος (mm)hauteur (mm)Höhe (mm) + højde (mm)hoogte (mm)višina (mm)ύψος (mm)身長 (mm)Höhe (mm)altura (mm)hauteur (mm)height (mm) @@ -8460,6 +10469,11 @@ http://vocab.getty.edu/ulan/$1 + + area metro (km2)περιοχή μετρό (km2)метрополска област (km2) + + + apoapsis (km)Apoapsisdistanz (km)απόαψης (km)апоапсис (km) @@ -8471,15 +10485,30 @@ http://vocab.getty.edu/ulan/$1 - diameter (mm)diameter (mm)διάμετρος (mm)diamètre (mm)Durchmesser (mm) + diameter (mm)διάμετρος (mm)Durchmesser (mm)diamètre (mm)diameter (mm) + + mass (kg)Masse (kg)μάζα (kg) + + + + + surface area (km2)Oberfläche (km2)έκταση (km2) + + + original maximum boat length (μ) + + distance (km)distance (km)Entfernung (km) + + + station visit duration (ω) @@ -8490,28 +10519,63 @@ http://vocab.getty.edu/ulan/$1 + + diameter (mm)διάμετρος (mm)Durchmesser (mm)diamètre (mm)diameter (mm) + + + + + area metro (km2)περιοχή μετρό (km2)метрополска област (km2) + + + + + vægt (kg)gewicht (kg)βάρος (kg)体重 (kg)Gewicht (kg)peso (kg)poids (kg)weight (kg)тежина (kg) + + + + + vægt (kg)gewicht (kg)βάρος (kg)体重 (kg)Gewicht (kg)peso (kg)poids (kg)weight (kg)тежина (kg) + + + minimum discharge (m³/s) + + oppervlakte (km2)έκταση περιοχής (km2)Fläche (km2)superficie (km2)area total (km2)укупна површина (km2) + + + periapsis (km)Periapsisdistanz (km) - 沸点 (K)kookpunt (K)boiling point (K)σημείο βρασμού (K)point d'ébullition (K)Siedepunkt (K) + kookpunt (K)σημείο βρασμού (K)沸点 (K)Siedepunkt (K)point d'ébullition (K)boiling point (K) + + displacement (cc)cilindrada (cc) + + + + + surface area (km2)Oberfläche (km2)έκταση (km2) + + + - ancho (mm)ширина (mm)breedte (mm)width (mm)πλάτος (mm)Breite (mm) + ancho (mm)breedte (mm)πλάτος (mm)Breite (mm)width (mm)ширина (mm) - ancho (mm)ширина (mm)breedte (mm)width (mm)πλάτος (mm)Breite (mm) + ancho (mm)breedte (mm)πλάτος (mm)Breite (mm)width (mm)ширина (mm) @@ -8521,17 +10585,22 @@ http://vocab.getty.edu/ulan/$1 - cuenca hidrográfica (km2)waterscheiding (km2)watershed (km2)λεκάνη_απορροής (km2)Wasserscheide (km2) + cuenca hidrográfica (km2)waterscheiding (km2)λεκάνη_απορροής (km2)Wasserscheide (km2)watershed (km2) + + average speed (km/s)vitesse moyenne (km/s)Durchschnittsgeschwindigkeit (km/s)μέση ταχύτητα (km/s) + The average speed of a thing.Vitesse moyenne du déplacement d'un objet.Η μέση ταχύτητα ενός πράγματος. + + mass (kg)Masse (kg)μάζα (kg) - 体重 (kg)vægt (kg)тежина (kg)gewicht (kg)peso (kg)weight (kg)βάρος (kg)poids (kg)Gewicht (kg) + vægt (kg)gewicht (kg)βάρος (kg)体重 (kg)Gewicht (kg)peso (kg)poids (kg)weight (kg)тежина (kg) @@ -8545,13 +10614,18 @@ http://vocab.getty.edu/ulan/$1 + + lengte (mm)μήκος (mm)Länge (mm)longueur (mm)length (mm) + + + area metro (km2)περιοχή μετρό (km2)метрополска област (km2) - total time person has spent in space (m)Gesamtzeit welche die Person im Weltraum verbracht hat (m) + total time person has spent in space (m)temps total passé dans l'espace par la personne (m)Gesamtzeit welche die Person im Weltraum verbracht hat (m) @@ -8560,41 +10634,81 @@ http://vocab.getty.edu/ulan/$1 + + size (MB)μέγεθος αρχείου (MB)Dateigröße (MB)taille de fichier (MB) + size of a file or softwareμέγεθος ενός ηλεκτρονικού αρχείου + + - diameter (μ)diameter (μ)διάμετρος (μ)diamètre (μ)Durchmesser (μ) + diameter (μ)διάμετρος (μ)Durchmesser (μ)diamètre (μ)diameter (μ) - ancho (mm)ширина (mm)breedte (mm)width (mm)πλάτος (mm)Breite (mm) + ancho (mm)breedte (mm)πλάτος (mm)Breite (mm)width (mm)ширина (mm) + + mass (kg)Masse (kg)μάζα (kg) + + + + + CMP EVA duration (ω) + + + + + mean temperature (K)Durchschnittstemperatur (K)μέση θερμοκρασία (K) + + + - 体重 (kg)vægt (kg)тежина (kg)gewicht (kg)peso (kg)weight (kg)βάρος (kg)poids (kg)Gewicht (kg) + vægt (kg)gewicht (kg)βάρος (kg)体重 (kg)Gewicht (kg)peso (kg)poids (kg)weight (kg)тежина (kg) + + volume (km3)όγκος (km3)Volumen (km3)volume (km3)volume (km3)запремина (km3) + + + population metro density (/sqkm)bevolkingsdichtheid (/sqkm) + + ancho (mm)breedte (mm)πλάτος (mm)Breite (mm)width (mm)ширина (mm) + + + - lengte (mm)length (mm)μήκος (mm)longueur (mm)Länge (mm) + lengte (mm)μήκος (mm)Länge (mm)longueur (mm)length (mm) - ancho (mm)ширина (mm)breedte (mm)width (mm)πλάτος (mm)Breite (mm) + ancho (mm)breedte (mm)πλάτος (mm)Breite (mm)width (mm)ширина (mm) + + station EVA duration (ω) + + + mass (kg)Masse (kg)μάζα (kg) + + melting point (K)Schmelzpunkt (K)point de fusion (K)融点 (K) + + + distance traveled (km)Zurückgelegte Entfernung (km)afgelegde afstand (km) @@ -8606,12 +10720,22 @@ http://vocab.getty.edu/ulan/$1 - bevolkingsdichtheid (/sqkm)घनत्व (/sqkm)population density (/sqkm)πυκνότητα_πληθυσμού (/sqkm)Bevölkerungsdichte (/sqkm) + bevolkingsdichtheid (/sqkm)πυκνότητα_πληθυσμού (/sqkm)Bevölkerungsdichte (/sqkm)घनत्व (/sqkm)population density (/sqkm) + + distance (km)distance (km)Entfernung (km) + + + + + diameter (μ)διάμετρος (μ)Durchmesser (μ)diamètre (μ)diameter (μ) + + + - višina (mm)身長 (mm)højde (mm)hoogte (mm)altura (mm)height (mm)ύψος (mm)hauteur (mm)Höhe (mm) + højde (mm)hoogte (mm)višina (mm)ύψος (mm)身長 (mm)Höhe (mm)altura (mm)hauteur (mm)height (mm) @@ -8620,6 +10744,11 @@ http://vocab.getty.edu/ulan/$1 + + periapsis (km)Periapsisdistanz (km) + + + maximum temperature (K)Maximaltemperatur (K)μέγιστη θερμοκρασία (K) @@ -8630,28 +10759,48 @@ http://vocab.getty.edu/ulan/$1 + + apoapsis (km)Apoapsisdistanz (km)απόαψης (km)апоапсис (km) + + + total cargo (kg) + + total time person has spent in space (μ)temps total passé dans l'espace par la personne (μ)Gesamtzeit welche die Person im Weltraum verbracht hat (μ) + + + + + top speed (kmh)Höchstgeschwindigkeit (kmh) + + + free flight time (μ) - lengte (mm)length (mm)μήκος (mm)longueur (mm)Länge (mm) + lengte (mm)μήκος (mm)Länge (mm)longueur (mm)length (mm) + + maximum discharge (m³/s) + + + - total time person has spent in space (μ)Gesamtzeit welche die Person im Weltraum verbracht hat (μ) + total time person has spent in space (μ)temps total passé dans l'espace par la personne (μ)Gesamtzeit welche die Person im Weltraum verbracht hat (μ) - укупна површина (km2)oppervlakte (km2)area total (km2)έκταση περιοχής (km2)superficie (km2)Fläche (km2) + oppervlakte (km2)έκταση περιοχής (km2)Fläche (km2)superficie (km2)area total (km2)укупна површина (km2) @@ -8660,6 +10809,11 @@ http://vocab.getty.edu/ulan/$1 + + lengte (mm)μήκος (mm)Länge (mm)longueur (mm)length (mm) + + + torque output (Nm) @@ -8670,23 +10824,48 @@ http://vocab.getty.edu/ulan/$1 + + station visit duration (ω) + + + + + lengte (mm)μήκος (mm)Länge (mm)longueur (mm)length (mm) + + + + + temperature (K)Temperatur (K)θερμοκρασία (K)température (K) + + + + + mass (kg)Masse (kg)μάζα (kg) + + + lunar surface time (ω) - 沸点 (K)kookpunt (K)boiling point (K)σημείο βρασμού (K)point d'ébullition (K)Siedepunkt (K) + kookpunt (K)σημείο βρασμού (K)沸点 (K)Siedepunkt (K)point d'ébullition (K)boiling point (K) + + mass (kg)Masse (kg)μάζα (kg) + + + maximum boat beam (μ)μέγιστο_πλάτος_πλοίου (μ) - 密度 (μ3)densità (μ3)densidade (μ3)density (μ3)πυκνότητα (μ3)densité (μ3)Dichte (μ3) + πυκνότητα (μ3)密度 (μ3)Dichte (μ3)densità (μ3)densidade (μ3)densité (μ3)density (μ3) @@ -8705,28 +10884,88 @@ http://vocab.getty.edu/ulan/$1 + + vægt (kg)gewicht (kg)βάρος (kg)体重 (kg)Gewicht (kg)peso (kg)poids (kg)weight (kg)тежина (kg) + + + - bevolkingsdichtheid (/sqkm)घनत्व (/sqkm)population density (/sqkm)πυκνότητα_πληθυσμού (/sqkm)Bevölkerungsdichte (/sqkm) + bevolkingsdichtheid (/sqkm)πυκνότητα_πληθυσμού (/sqkm)Bevölkerungsdichte (/sqkm)घनत्व (/sqkm)population density (/sqkm) + + orbital period (μ)Umlaufzeit (μ)Περίοδος περιφοράς (μ) + + + + + højde (mm)hoogte (mm)višina (mm)ύψος (mm)身長 (mm)Höhe (mm)altura (mm)hauteur (mm)height (mm) + + + + + acceleració (s)acceleratie (s)przyspieszenie (s)επιτάχυνση (s)Beschleunigung (s)luasghéarú (s)accélération (s)acceleration (s)убрзање (s) + variation de la vitesse + + + + mean radius (km)durchschnittlicher Radius (km)μέση ακτίνα (km) + + + + + mass (kg)Masse (kg)μάζα (kg) + + + + + højde (mm)hoogte (mm)višina (mm)ύψος (mm)身長 (mm)Höhe (mm)altura (mm)hauteur (mm)height (mm) + + + + + melting point (K)Schmelzpunkt (K)point de fusion (K)融点 (K) + + + + + kookpunt (K)σημείο βρασμού (K)沸点 (K)Siedepunkt (K)point d'ébullition (K)boiling point (K) + + + + + vægt (kg)gewicht (kg)βάρος (kg)体重 (kg)Gewicht (kg)peso (kg)poids (kg)weight (kg)тежина (kg) + + + + + højde (mm)hoogte (mm)višina (mm)ύψος (mm)身長 (mm)Höhe (mm)altura (mm)hauteur (mm)height (mm) + + + lunar orbit time (ω)Mondumlaufzeit (ω) - 密度 (μ3)densità (μ3)densidade (μ3)density (μ3)πυκνότητα (μ3)densité (μ3)Dichte (μ3) + πυκνότητα (μ3)密度 (μ3)Dichte (μ3)densità (μ3)densidade (μ3)densité (μ3)density (μ3) + + bevolkingsdichtheid (/sqkm)πυκνότητα_πληθυσμού (/sqkm)Bevölkerungsdichte (/sqkm)घनत्व (/sqkm)population density (/sqkm) + + + - diameter (μ)diameter (μ)διάμετρος (μ)diamètre (μ)Durchmesser (μ) + diameter (μ)διάμετρος (μ)Durchmesser (μ)diamètre (μ)diameter (μ) - duur (m)runtime (m)διάρκεια (m)durée (m)Laufzeit (m) + duur (m)διάρκεια (m)Laufzeit (m)durée (m)runtime (m) @@ -8735,11 +10974,31 @@ http://vocab.getty.edu/ulan/$1 + + discharge average (m³/s) + + + - višina (mm)身長 (mm)højde (mm)hoogte (mm)altura (mm)height (mm)ύψος (mm)hauteur (mm)Höhe (mm) + højde (mm)hoogte (mm)višina (mm)ύψος (mm)身長 (mm)Höhe (mm)altura (mm)hauteur (mm)height (mm) + + lunar EVA time (ω) + + + + + maximum boat beam (μ)μέγιστο_πλάτος_πλοίου (μ) + + + + + mean radius (km)durchschnittlicher Radius (km)μέση ακτίνα (km) + + + mean radius (km)durchschnittlicher Radius (km)μέση ακτίνα (km) @@ -8751,7 +11010,7 @@ http://vocab.getty.edu/ulan/$1 - višina (mm)身長 (mm)højde (mm)hoogte (mm)altura (mm)height (mm)ύψος (mm)hauteur (mm)Höhe (mm) + højde (mm)hoogte (mm)višina (mm)ύψος (mm)身長 (mm)Höhe (mm)altura (mm)hauteur (mm)height (mm) @@ -8760,13 +11019,33 @@ http://vocab.getty.edu/ulan/$1 + + lengte (mm)μήκος (mm)Länge (mm)longueur (mm)length (mm) + + + + + population urban density (/sqkm) + + + + + ancho (mm)breedte (mm)πλάτος (mm)Breite (mm)width (mm)ширина (mm) + + + + + højde (mm)hoogte (mm)višina (mm)ύψος (mm)身長 (mm)Höhe (mm)altura (mm)hauteur (mm)height (mm) + + + mean radius (km)durchschnittlicher Radius (km)μέση ακτίνα (km) - запремина (μ³)volume (μ³)volume (μ³)όγκος (μ³)volume (μ³)Volumen (μ³) + volume (μ³)όγκος (μ³)Volumen (μ³)volume (μ³)volume (μ³)запремина (μ³) @@ -8780,13 +11059,33 @@ http://vocab.getty.edu/ulan/$1 + + πυκνότητα (μ3)密度 (μ3)Dichte (μ3)densità (μ3)densidade (μ3)densité (μ3)density (μ3) + + + orbital period (μ)Umlaufzeit (μ)Περίοδος περιφοράς (μ) + + cylinder bore (mm) + + + + + population metro density (/sqkm)bevolkingsdichtheid (/sqkm) + + + + + ancho (mm)breedte (mm)πλάτος (mm)Breite (mm)width (mm)ширина (mm) + + + - lengte (mm)length (mm)μήκος (mm)longueur (mm)Länge (mm) + lengte (mm)μήκος (mm)Länge (mm)longueur (mm)length (mm) @@ -8796,12 +11095,12 @@ http://vocab.getty.edu/ulan/$1 - diameter (μ)diameter (μ)διάμετρος (μ)diamètre (μ)Durchmesser (μ) + diameter (μ)διάμετρος (μ)Durchmesser (μ)diamètre (μ)diameter (μ) - campus size (km2) + campus size (km2)جامعہ کا ناپ (km2) @@ -8811,7 +11110,7 @@ http://vocab.getty.edu/ulan/$1 - ancho (mm)ширина (mm)breedte (mm)width (mm)πλάτος (mm)Breite (mm) + ancho (mm)breedte (mm)πλάτος (mm)Breite (mm)width (mm)ширина (mm) @@ -8820,16 +11119,46 @@ http://vocab.getty.edu/ulan/$1 + + area urban (km2)Stadtgebiet (km2)αστική περιοχή (km2)урбана површина (km2) + + + original maximum boat beam (μ) + + area of catchment (km2)Einzugsgebiet (km2)λίμνη (km2)подручје слива (km2) + + + + + ancho (mm)breedte (mm)πλάτος (mm)Breite (mm)width (mm)ширина (mm) + + + + + torque output (Nm) + + + + + mission duration (μ)Missionsdauer (μ) + + + - diameter (μ)diameter (μ)διάμετρος (μ)diamètre (μ)Durchmesser (μ) + diameter (μ)διάμετρος (μ)Durchmesser (μ)diamètre (μ)diameter (μ) + + bevolkingsdichtheid (/sqkm)πυκνότητα_πληθυσμού (/sqkm)Bevölkerungsdichte (/sqkm)घनत्व (/sqkm)population density (/sqkm) + + + mean temperature (K)Durchschnittstemperatur (K)μέση θερμοκρασία (K) @@ -8841,7 +11170,7 @@ http://vocab.getty.edu/ulan/$1 - 体重 (kg)vægt (kg)тежина (kg)gewicht (kg)peso (kg)weight (kg)βάρος (kg)poids (kg)Gewicht (kg) + vægt (kg)gewicht (kg)βάρος (kg)体重 (kg)Gewicht (kg)peso (kg)poids (kg)weight (kg)тежина (kg) @@ -8855,11 +11184,36 @@ http://vocab.getty.edu/ulan/$1 + + vægt (kg)gewicht (kg)βάρος (kg)体重 (kg)Gewicht (kg)peso (kg)poids (kg)weight (kg)тежина (kg) + + + + + diameter (km)διάμετρος (km)Durchmesser (km)diamètre (km)diameter (km) + + + + + højde (mm)hoogte (mm)višina (mm)ύψος (mm)身長 (mm)Höhe (mm)altura (mm)hauteur (mm)height (mm) + + + orbital period (μ)Umlaufzeit (μ)Περίοδος περιφοράς (μ) + + πυκνότητα (μ3)密度 (μ3)Dichte (μ3)densità (μ3)densidade (μ3)densité (μ3)density (μ3) + + + + + lengte (mm)μήκος (mm)Länge (mm)longueur (mm)length (mm) + + + temperature (K)Temperatur (K)θερμοκρασία (K)température (K) @@ -8870,16 +11224,31 @@ http://vocab.getty.edu/ulan/$1 + + maximum temperature (K)Maximaltemperatur (K)μέγιστη θερμοκρασία (K) + + + - lengte (mm)length (mm)μήκος (mm)longueur (mm)Länge (mm) + lengte (mm)μήκος (mm)Länge (mm)longueur (mm)length (mm) + + cuenca hidrográfica (km2)waterscheiding (km2)λεκάνη_απορροής (km2)Wasserscheide (km2)watershed (km2) + + + size (MB)μέγεθος αρχείου (MB)Dateigröße (MB)taille de fichier (MB) size of a file or softwareμέγεθος ενός ηλεκτρονικού αρχείου + + minimum discharge (m³/s) + + + area metro (km2)περιοχή μετρό (km2)метрополска област (km2) @@ -8890,18 +11259,33 @@ http://vocab.getty.edu/ulan/$1 + + mass (kg)Masse (kg)μάζα (kg) + + + temperature (K)Temperatur (K)θερμοκρασία (K)température (K) + + vægt (kg)gewicht (kg)βάρος (kg)体重 (kg)Gewicht (kg)peso (kg)poids (kg)weight (kg)тежина (kg) + + + + + piston stroke (mm) + + + course (km) - lengte (km)length (km)μήκος (km)longueur (km)Länge (km) + lengte (km)μήκος (km)Länge (km)longueur (km)length (km) @@ -8911,32 +11295,42 @@ http://vocab.getty.edu/ulan/$1 - 体重 (kg)vægt (kg)тежина (kg)gewicht (kg)peso (kg)weight (kg)βάρος (kg)poids (kg)Gewicht (kg) + vægt (kg)gewicht (kg)βάρος (kg)体重 (kg)Gewicht (kg)peso (kg)poids (kg)weight (kg)тежина (kg) - diameter (mm)diameter (mm)διάμετρος (mm)diamètre (mm)Durchmesser (mm) + diameter (mm)διάμετρος (mm)Durchmesser (mm)diamètre (mm)diameter (mm) - - przyspieszenie (s)убрзање (s)acceleratie (s)acceleració (s)acceleration (s)επιτάχυνση (s)luasghéarú (s)Beschleunigung (s) + + kookpunt (K)σημείο βρασμού (K)沸点 (K)Siedepunkt (K)point d'ébullition (K)boiling point (K) + + + + CO2 emission (g/km) + + + + + acceleració (s)acceleratie (s)przyspieszenie (s)επιτάχυνση (s)Beschleunigung (s)luasghéarú (s)accélération (s)acceleration (s)убрзање (s) + variation de la vitesse - ancho (mm)ширина (mm)breedte (mm)width (mm)πλάτος (mm)Breite (mm) + ancho (mm)breedte (mm)πλάτος (mm)Breite (mm)width (mm)ширина (mm) - average speed (km/s)Durchschnittsgeschwindigkeit (km/s)μέση ταχύτητα (km/s) - The average speed of a thing.Η μέση ταχύτητα ενός πράγματος. + average speed (km/s)vitesse moyenne (km/s)Durchschnittsgeschwindigkeit (km/s)μέση ταχύτητα (km/s) + The average speed of a thing.Vitesse moyenne du déplacement d'un objet.Η μέση ταχύτητα ενός πράγματος. - višina (mm)身長 (mm)højde (mm)hoogte (mm)altura (mm)height (mm)ύψος (mm)hauteur (mm)Höhe (mm) + højde (mm)hoogte (mm)višina (mm)ύψος (mm)身長 (mm)Höhe (mm)altura (mm)hauteur (mm)height (mm) @@ -8946,52 +11340,97 @@ http://vocab.getty.edu/ulan/$1 - average speed (km/s)Durchschnittsgeschwindigkeit (km/s)μέση ταχύτητα (km/s) - The average speed of a thing.Η μέση ταχύτητα ενός πράγματος. + average speed (km/s)vitesse moyenne (km/s)Durchschnittsgeschwindigkeit (km/s)μέση ταχύτητα (km/s) + The average speed of a thing.Vitesse moyenne du déplacement d'un objet.Η μέση ταχύτητα ενός πράγματος. + + wheelbase (mm)Radstand (mm)међуосовинско растојање (mm) + + + mission duration (μ)Missionsdauer (μ) - 体重 (kg)vægt (kg)тежина (kg)gewicht (kg)peso (kg)weight (kg)βάρος (kg)poids (kg)Gewicht (kg) + vægt (kg)gewicht (kg)βάρος (kg)体重 (kg)Gewicht (kg)peso (kg)poids (kg)weight (kg)тежина (kg) + + diameter (μ)διάμετρος (μ)Durchmesser (μ)diamètre (μ)diameter (μ) + + + - 体重 (kg)vægt (kg)тежина (kg)gewicht (kg)peso (kg)weight (kg)βάρος (kg)poids (kg)Gewicht (kg) + vægt (kg)gewicht (kg)βάρος (kg)体重 (kg)Gewicht (kg)peso (kg)poids (kg)weight (kg)тежина (kg) - višina (mm)身長 (mm)højde (mm)hoogte (mm)altura (mm)height (mm)ύψος (mm)hauteur (mm)Höhe (mm) + højde (mm)hoogte (mm)višina (mm)ύψος (mm)身長 (mm)Höhe (mm)altura (mm)hauteur (mm)height (mm) + + ancho (mm)breedte (mm)πλάτος (mm)Breite (mm)width (mm)ширина (mm) + + + + + lunar sample mass (kg) + + + - diameter (km)diameter (km)διάμετρος (km)diamètre (km)Durchmesser (km) + diameter (km)διάμετρος (km)Durchmesser (km)diamètre (km)diameter (km) + + periapsis (km)Periapsisdistanz (km) + + + + + lengte (mm)μήκος (mm)Länge (mm)longueur (mm)length (mm) + + + + + original maximum boat beam (μ) + + + - power output (kW)Ausgangsleistung (kW) + power output (kW)puissance de sortie (kW)Ausgangsleistung (kW) + + total time person has spent in space (m)temps total passé dans l'espace par la personne (m)Gesamtzeit welche die Person im Weltraum verbracht hat (m) + + + - 体重 (kg)vægt (kg)тежина (kg)gewicht (kg)peso (kg)weight (kg)βάρος (kg)poids (kg)Gewicht (kg) + vægt (kg)gewicht (kg)βάρος (kg)体重 (kg)Gewicht (kg)peso (kg)poids (kg)weight (kg)тежина (kg) + + lengte (mm)μήκος (mm)Länge (mm)longueur (mm)length (mm) + + + surface area (km2)Oberfläche (km2)έκταση (km2) - 密度 (μ3)densità (μ3)densidade (μ3)density (μ3)πυκνότητα (μ3)densité (μ3)Dichte (μ3) + πυκνότητα (μ3)密度 (μ3)Dichte (μ3)densità (μ3)densidade (μ3)densité (μ3)density (μ3) @@ -9001,17 +11440,17 @@ http://vocab.getty.edu/ulan/$1 - distance (km)Entfernung (km) + distance (km)distance (km)Entfernung (km) - diameter (μ)diameter (μ)διάμετρος (μ)diamètre (μ)Durchmesser (μ) + diameter (μ)διάμετρος (μ)Durchmesser (μ)diamètre (μ)diameter (μ) - višina (cm)身長 (cm)højde (cm)hoogte (cm)altura (cm)height (cm)ύψος (cm)hauteur (cm)Höhe (cm) + højde (cm)hoogte (cm)višina (cm)ύψος (cm)身長 (cm)Höhe (cm)altura (cm)hauteur (cm)height (cm) @@ -9021,25 +11460,65 @@ http://vocab.getty.edu/ulan/$1 - lengte (mm)length (mm)μήκος (mm)longueur (mm)Länge (mm) + lengte (mm)μήκος (mm)Länge (mm)longueur (mm)length (mm) - област (km2)oppervlakte (km2)área (km2)area (km2)έκταση (km2)superficie (km2)Fläche (km2) + oppervlakte (km2)έκταση (km2)Fläche (km2)área (km2)رقبہ (km2)superficie (km2)area (km2)област (km2) The area of the thing in square meters. + + minimum temperature (K)geringste Temperatur (K)ελάχιστη θερμοκρασία (K) + + + + + lunar orbit time (ω)Mondumlaufzeit (ω) + + + floor area (m2)vloeroppervlak (m2)περιοχή ορόφων (m2) + + lunar surface time (ω) + + + + + mass (kg)Masse (kg)μάζα (kg) + + + + + volume (μ³)όγκος (μ³)Volumen (μ³)volume (μ³)volume (μ³)запремина (μ³) + + + - distance (km)Entfernung (km) + distance (km)distance (km)Entfernung (km) + + volume (μ³)όγκος (μ³)Volumen (μ³)volume (μ³)volume (μ³)запремина (μ³) + + + + + πυκνότητα (μ3)密度 (μ3)Dichte (μ3)densità (μ3)densidade (μ3)densité (μ3)density (μ3) + + + + + temperature (K)Temperatur (K)θερμοκρασία (K)température (K) + + + area of catchment (km2)Einzugsgebiet (km2)λίμνη (km2)подручје слива (km2) @@ -9055,15 +11534,70 @@ http://vocab.getty.edu/ulan/$1 + + vægt (kg)gewicht (kg)βάρος (kg)体重 (kg)Gewicht (kg)peso (kg)poids (kg)weight (kg)тежина (kg) + + + - запремина (km3)volume (km3)volume (km3)όγκος (km3)volume (km3)Volumen (km3) + volume (km3)όγκος (km3)Volumen (km3)volume (km3)volume (km3)запремина (km3) + + orbital period (μ)Umlaufzeit (μ)Περίοδος περιφοράς (μ) + + + + + apoapsis (km)Apoapsisdistanz (km)απόαψης (km)апоапсис (km) + + + + + ancho (mm)breedte (mm)πλάτος (mm)Breite (mm)width (mm)ширина (mm) + + + + + højde (cm)hoogte (cm)višina (cm)ύψος (cm)身長 (cm)Höhe (cm)altura (cm)hauteur (cm)height (cm) + + + + + minimum temperature (K)geringste Temperatur (K)ελάχιστη θερμοκρασία (K) + + + + + diameter (μ)διάμετρος (μ)Durchmesser (μ)diamètre (μ)diameter (μ) + + + + + distance traveled (km)Zurückgelegte Entfernung (km)afgelegde afstand (km) + + + + + diameter (μ)διάμετρος (μ)Durchmesser (μ)diamètre (μ)diameter (μ) + + + - lengte (mm)length (mm)μήκος (mm)longueur (mm)Länge (mm) + lengte (mm)μήκος (mm)Länge (mm)longueur (mm)length (mm) + + vægt (kg)gewicht (kg)βάρος (kg)体重 (kg)Gewicht (kg)peso (kg)poids (kg)weight (kg)тежина (kg) + + + + + πυκνότητα (μ3)密度 (μ3)Dichte (μ3)densità (μ3)densidade (μ3)densité (μ3)density (μ3) + + + \ No newline at end of file diff --git a/ontology.xml b/ontology.xml index 8cf2e7399d..c8b3d98948 100644 --- a/ontology.xml +++ b/ontology.xml @@ -1,4 +1,14 @@ -OntologyClass:AcademicConference20011553515752016-11-03T08:28:17Z{{Class +OntologyClass:Academic20013556574472022-04-24T07:13:09Z{{Class +| labels = + {{label|en|Academic Person}} + {{label|eu|Pertsona Akademikoa}} + {{label|da|Akademisk person}} + {{label|fr|Personne académique}} + {{label|hi|अकादमिक व्यक्ति}} + {{label|ar|شخص أكاديمي}} + {{label|ur|تعلیمی}} +| rdfs:subClassOf = Person +}}OntologyClass:AcademicConference20011553548382021-07-09T06:50:25Z{{Class | labels = {{label|en|academic conference}} {{label|nl|wetenschappelijke conferentie}} @@ -9,9 +19,14 @@ {{label|pl|konferencja naukowa}} {{label|ru|научная конференция}} {{label|ja|学術会議}} + +{{label |ur | تعلیمی_کانفرنس }} + + + | rdfs:subClassOf = SocietalEvent | owl:equivalentClass = wikidata:Q2020153 -}}OntologyClass:AcademicJournal2003738508572016-04-18T16:41:30Z{{Class +}}OntologyClass:AcademicJournal2003738574502022-04-24T08:32:14Z{{Class | labels = {{label|en|academic journal}} {{label|ga|iris acadúil}} @@ -25,8 +40,20 @@ {{label|it|giornale accademico}} {{label|pl|czasopismo naukowe}} {{label|zh|學術期刊}} +{{label|ur| تعلیمی جریدہ }} + + + + + + | rdfs:subClassOf = PeriodicalLiterature | comments = + + +{{comment|ur|اتعلیمی جریدہ زیادہ تر ہم مرتبہ نظرثانی شدہ جریدہ ہے جس میں کسی خاص تعلیمی ادب سے متعلق وظیفہ شائع کیا جاتا ہے۔ تعلیمی جرائد نئی تحقیق کی جانچ پڑتال اور موجودہ تحقیق کی تنقید کے تعارف اور پیشکش کے لیے عوامی جرگہ کے طور پر کام کرتے ہیں۔ مواد عام طور پر مضامین کی شکل اختیار کرتا ہے جو اصل تحقیق، جائزہ مضامین، اور کتاب کے جائزے پیش کرتے ہیں۔}} + +}} {{comment|en|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.}} {{comment|el| Ένα ακαδημαϊκό περιοδικό είναι ως επί το πλείστον περιοδικό για κριτικές οι οποίες σχετίζονται με έναν συγκεκριμένο ακαδημαϊκό τομέα. Τα ακαδημαϊκά περιοδικά χρησιμεύουν ως φόρουμ για την εισαγωγή και παρουσίαση του ελέγχου των νέων ερευνών και της κριτικής της υπάρχουσας έρευνας. Το περιεχόμενο έχει συνήθως την μορφή άρθρων παρουσίασης νέας έρευνας, ανασκόπησης υπάρχων άρθρων και κριτικές βιβλίων. }} {{comment|de|Wissenschaftliche 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.}} @@ -34,19 +61,20 @@ {{comment|pl| 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.}} | owl:equivalentClass = wikidata:Q737498 -}}OntologyClass:AcademicSubject2009708510692016-05-12T16:39:57Z{{Class +}}OntologyClass:AcademicSubject2009708549242021-09-07T11:44:37Z{{Class |labels= {{label|en|academic subject}} {{label|de|akademisches Fach}} {{label|fr|sujet académique}} {{label|gl|disciplina académica}} {{label|nl|academische hoofdstudierichting}} +{{label|ur|تعلیمی مضمون}} {{label|pl|dyscyplina naukowa}} | comments = {{comment|en|Genres of art, e.g. Mathematics, History, Philosophy, Medicine}} {{comment|gl|Unha disciplina académica é unha rama do coñecemento que unha comunidade de especialistas desenvolve con metodoloxías de investigación. }} | rdfs:subClassOf = TopicalConcept | owl:equivalentClass = wikidata:Q11862829 -}}OntologyClass:Activity2002150520992017-06-19T10:48:38Z{{Class +}}OntologyClass:Activity2002150551702021-09-10T16:35:30Z{{Class |labels= {{label|en|activity}} {{label|ga|gníomhaíocht}} @@ -63,12 +91,14 @@ {{label|pl|aktywność}} {{label|zh|活動}} {{label|ko|활동}} +{{label|ur|سرگرمی}} | owl:disjointWith = Person | owl:equivalentClass = d0:Activity, wikidata:Q1914636 | rdfs:subClassOf = owl:Thing -}}OntologyClass:Actor200289530832018-04-11T14:12:34Z{{Class +}}OntologyClass:Actor200289551572021-09-10T10:46:12Z{{Class | labels = {{label|en|actor}} +{{label|ur|اداکار}} {{label|ga|aisteoir}} {{label|el|ηθοποιός}} {{label|es|actor}} @@ -87,12 +117,13 @@ {{label|zh|演員}} | comments = {{comment|en|An actor or actress is a person who acts in a dramatic production and who works in film, television, theatre, or radio in that capacity.}} +{{comment|ur|ایک اداکار یا اداکارہ وہ شخص ہوتا ہے جو ڈرامائی پروڈکشن میں کام کرتا ہے اور جو فلم ، ٹیلی ویژن ، تھیٹر یا ریڈیو میں اس صلاحیت کے ساتھ کام کرتا ہے}} {{comment|el|Μια ηθοποιός ή ένας ηθοποιός είναι ένα άτομο που παίζει σε μια δραματική παραγωγή και που εργάζεται στο χώρο του κινηματογράφου, της τηλεόρασης, του θεάτρου, ή το ραδιόφωνο.}} {{comment|gl|Un actor, se é home, ou unha actriz, se é muller, é unha persoa que representa un papel nunha obra teatral, cinematográfica, radiofónica ou televisiva.}} {{comment|it|Un attore o un attrice è una persona che recita in una produzione teatrale, televisiva, cinematografica o radiofonica.}} | rdfs:subClassOf = Artist | owl:equivalentClass = wikidata:Q33999 -}}OntologyClass:AdministrativeRegion200301518072017-01-06T15:19:16Z{{Class +}}OntologyClass:AdministrativeRegion200301549392021-09-09T08:43:59Z{{Class | labels = {{label|en|administrative region}} {{label|ga|réigiún riaracháin}} @@ -105,11 +136,13 @@ {{label|it|regione amministrativa}} {{label|zh|行政區}} {{label|ko|관리 지역}} +{{label|ur|انتظامی علاقہ}} | comments = {{comment|en|A PopulatedPlace under the jurisdiction of an administrative body. This body may administer either a whole region or one or more adjacent Settlements (town administration)}} +{{comment|ur|(نتظامی علاقہ)انتظامی ادارے کے دائرہ اختیار میں ایک آبادی والی جگہ۔ یہ ادارہ یا تو ایک پورے علاقے یا ایک یا اس سے ملحقہ بستیوں کا انتظام کر سکتا ہے }} | rdfs:subClassOf = Region | owl:equivalentClass = schema:AdministrativeArea, wikidata:Q3455524 -}}OntologyClass:AdultActor200290516402016-11-12T11:24:22Z{{Class +}}OntologyClass:AdultActor200290577072022-04-26T11:27:12Z{{Class | labels = {{label|en|adult (pornographic) actor}} {{label|ga|aisteoir pornagrafaíochta}} @@ -121,6 +154,8 @@ {{label|gl|actor porno}} {{label|pt|ator adulto}} {{label|ja|ポルノ女優}} +{{label|ur|بالغ اداکار}} + {{label|nl|pornografisch acteur}} {{label|pl|aktor pornograficzny}} {{label|zh|色情演員}} @@ -128,12 +163,13 @@ | comments = {{comment|en|A pornographic actor or actress or a porn star is a person who performs sex acts in film, normally characterised as a pornographic film.}} {{comment|gl|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;}} +{{comment|ur|ایک فحش اداکار یا اداکارہ یا پورن سٹار وہ شخص ہوتا ہے جو فلم میں جنسی حرکتیں کرتا ہے، عام طور پر اسے فحش فلم کے طور پر دیکھا جاتا ہے۔}} | owl:equivalentClass = wikidata:Q488111 | rdfs:subClassOf = Actor -}}OntologyClass:Agent2005042520942017-06-19T10:43:16Z{{Class +}}OntologyClass:Agent2005042577132022-04-26T11:32:59Z{{Class | labels = {{label|en|agent}} -{{label|ga|gníomhaire}} + {{label|ga|gníomhaire}} {{label|da|agent}} {{label|de|Agent}} {{label|el|πράκτορας}} @@ -143,17 +179,21 @@ {{label|it|agente}} {{label|fr|agent}} {{label|es|agente}} - {{label|ko|에이전트}} + {{label|ko|에이전트}} + {{label|ur|نمائندہ}} | comments = +{{comment|ur|ایک ایجنٹ ایک ایسا ادارہ ہے جو کام کرتا ہے۔ اس کا مقصد شخص اور تنظیم کا فوق درجہ ہونا ہے۔}} {{comment|en|Analogous to a foaf:Agent, an agent is an entity that acts. This is intended to be the super class of Person and Organisation.}} +{{comment|fr|Equivaut à foaf:Agent, un agent est une entité qui agit. C'est supposé être la super classe de Person et de Organisation.}} {{comment|el|Ανάλογα με την κλάση foaf:Agent, ένας πράκτορας είναι μια οντότητα που ενεργεί. Αυτό προορίζεται να είναι μια υπερκλάση της κλάσης Άτόμο και Οργανισμός.}} {{comment|gl|Análogo a foaf:Agent, un axente é unha entidade que actúa. Destínase a ser a super clase de Persoa e Organización.}} | owl:disjointWith = Place | owl:equivalentClass = dul:Agent, wikidata:Q24229398 | rdfs:subClassOf = owl:Thing -}}OntologyClass:Agglomeration2007932508732016-04-19T10:21:50Z{{Class +}}OntologyClass:Agglomeration2007932555062021-09-13T09:39:55Z{{Class | labels= {{label|en|agglomeration}} +{{label|ur|مجموعہ}} {{label|fr|agglomération}} {{label|de|Ballungsgebiet}} {{label|el|συσσώρευση}} @@ -161,7 +201,7 @@ {{label|nl|agglomeratie}} {{label|pl|aglomeracja}} | rdfs:subClassOf = PopulatedPlace -}}OntologyClass:Aircraft200291528172018-02-08T19:56:36Z{{Class +}}OntologyClass:Aircraft200291577182022-04-26T11:37:17Z{{Class | labels = {{label|en|aircraft}} {{label|ga|aerárthach}} @@ -177,10 +217,11 @@ {{label|it|aereo}} {{label|es|avión}} {{label|ro|avion}} +{{label|ur|ہوائی جہاز}} {{label|pl|samolot}} | rdfs:subClassOf = MeanOfTransportation, schema:Product | owl:equivalentClass = wikidata:Q11436 -}}OntologyClass:Airline200292523262017-10-10T13:30:11Z{{Class +}}OntologyClass:Airline200292551592021-09-10T11:11:37Z{{Class | labels = {{label|en|airline}} {{label|ga|aerlíne}} @@ -191,16 +232,20 @@ {{label|da|flyselskab}} {{label|de|Fluggesellschaft}} {{label|gl|compañía aérea}} +{{label|ur|ہوائی راستہ}} {{label|ko|항공사}} {{label|ja|航空会社}} {{label|nl|luchtvaartmaatschappij}} {{label|zh|航空公司}} {{label|it|compagnia aerea}} +|comments= +{{comment|ur|ہوائی جہازوں کے ذریعے سواریاں لے جانے والی تنظیم}} | rdfs:subClassOf = PublicTransitSystem | owl:equivalentClass = wikidata:Q46970 -}}OntologyClass:Airport200293521902017-10-05T07:40:04Z{{Class +}}OntologyClass:Airport200293555052021-09-13T09:39:00Z{{Class | labels = {{label|en|airport}} +{{label|ur|ہوائی اڈہ}} {{label|ru|аэропорт}} {{label|ga|aerfort}} {{label|es|aeropuerto}} @@ -218,7 +263,7 @@ {{label|it|aeroporto}} | rdfs:subClassOf = Infrastructure | owl:equivalentClass = schema:Airport,wikidata:Q1248784 -}}OntologyClass:Album200294523392017-10-10T13:40:49Z{{Class +}}OntologyClass:Album200294577292022-04-26T11:48:32Z{{Class | labels = {{label|en|album}} {{label|ga|albam}} @@ -233,20 +278,26 @@ {{label|pt|álbum}} {{label|zh|照片集}} {{label|es|album}} +{{label|ur|تصویروں اور دستخط کی کتاب}} {{label|it|album}} {{label|pl|album (wydawnictwo muzyczne)}} | rdfs:subClassOf = MusicalWork | owl:equivalentClass = schema:MusicAlbum , wikidata:Q482994 -}}OntologyClass:Algorithm20012178535542019-08-27T13:23:43Z{{Class +}}OntologyClass:Algorithm20012178552852021-09-11T11:14:38Z{{Class | labels = {{label|en|Algorithm}} +{{label|fr|Algorithme}} {{label|de|Algorithmus}} {{label|nl|Algoritme}} +{{label|ur|حساب و شمار}} {{label|ru|Алгоритм}} +|comments= +{{comment|ur|ایک عین قاعدہ (یا قواعد کا مجموعہ) جس میں وضاحت کی جاتی ہے کہ کسی مسئلے کو کیسے حل کیا جائے}} | owl:equivalentClass = wikidata:Q8366 -}}OntologyClass:Altitude2007920523272017-10-10T13:30:54Z{{Class +}}OntologyClass:Altitude2007920555042021-09-13T09:37:54Z{{Class | labels = {{label|en|altitude}} +{{label|ur|بلندی}} {{label|ga|airde}} {{label|fr|altitude}} {{label|da|højde}} @@ -259,7 +310,7 @@ {{comment|el|Το υψόμετρο είναι η κάθετη απόσταση ενός αντικειμένου σε σχέση με ένα καθορισμένο επίπεδο αναφοράς. Συνήθως το υψόμετρο μετριέται ως η κάθετη απόσταση (υψομετρική διαφορά) ενός τόπου από το επίπεδο της θάλασσας (Μέση Στάθμη Θάλασσας), ενώ για πιο ακριβείς μετρήσεις χρησιμοποιείται το γεωειδές.}} {{comment|gl|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;}} | owl:equivalentClass = wikidata:Q190200 -}}OntologyClass:AmateurBoxer2006215488422015-09-08T17:55:03Z{{Class +}}OntologyClass:AmateurBoxer2006215577382022-04-26T12:05:52Z{{Class | labels = {{label|en|amateur boxer}} {{label|ga|dornálaí amaitéarach}} {{label|de|Amateurboxer}} @@ -269,9 +320,10 @@ {{label|it|pugile amatoriale}} {{label|ja|アマチュアボクサー}} {{label|nl|amateur boxer}} +{{label|ur|شوقیہ مکے باز}} {{label|ko|아마추어 권투 선수}} | rdfs:subClassOf = Boxer -}}OntologyClass:Ambassador2002379524792017-10-16T00:42:38Z{{Class +}}OntologyClass:Ambassador2002379577442022-04-26T12:10:51Z{{Class | labels = {{label|en|ambassador}} {{label|ga|ambasadóir}} @@ -284,12 +336,14 @@ {{label|nl|ambassadeur}} {{label|ko| 대사 (외교관)}} {{label|es|embajador}} +{{label|ur|سفیر}} | rdfs:subClassOf = Politician | comments = {{comment|en|An 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.}} +{{comment|ur|ایک غیر ملکی حکومت سے منظور شدہ اعلیٰ ترین عہدے کا سفارتی کارندہ}} {{comment|gl|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;}} | owl:equivalentClass = wikidata:Q121998 -}}OntologyClass:AmericanFootballCoach2007988518912017-02-19T15:24:32Z{{Class +}}OntologyClass:AmericanFootballCoach2007988554882021-09-13T09:19:20Z{{Class | labels = {{label|en|american football coach}} {{label|de|American-Football-Trainer}} @@ -298,8 +352,9 @@ {{label|el|προπονητής ράγκμπυ}} {{label|it|allenatore di football americano}} {{label|fr|entraineur de football américain}} +{{label|ur|امریکن فٹ بال کوچ}} | rdfs:subClassOf = Coach -}}OntologyClass:AmericanFootballLeague2002283488452015-09-08T17:57:29Z{{Class +}}OntologyClass:AmericanFootballLeague2002283555192021-09-15T04:47:32Z{{Class | labels = {{label|en|american football league}} {{label|de|American-Football-Liga}} @@ -312,12 +367,14 @@ {{label|nl|Amerikaanse voetbal competitie}} {{label|it|lega di football americano}} {{label|ko| 미식 축구 대회}} +{{label|ur| امریکن فٹ بال لیگ}} | comments = {{comment|en|A group of sports teams that compete against each other in american football.}} +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروپ جو امریکی فٹ بال میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں۔.}} {{comment|el|Ένα σύνολο αθλητικών ομάδων που ανταγωνίζονται μεταξύ τους στο αμερικάνικο ποδόσφαιρο.}} {{comment|gl|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;}} | rdfs:subClassOf = SportsLeague -}}OntologyClass:AmericanFootballPlayer200369488462015-09-08T17:58:20Z{{Class +}}OntologyClass:AmericanFootballPlayer200369552932021-09-11T11:27:34Z{{Class | labels = {{label|en|american football player}} {{label|el|παίκτης αμερικανικού ποδοσφαίρου}} @@ -326,12 +383,13 @@ {{label|ja|アメリカンフットボール選手}} {{label|nl|American footballspeler}} {{label|de|American Footballspieler}} +{{label|ur|امریکی فٹ بال کھلاڑی}} {{label|ko|미식 축구 선수}} {{label|es|jugador de fútbol americano}} {{label|it|giocatore di football americano}} | rdfs:subClassOf = GridironFootballPlayer | owl:equivalentClass = wikidata:Q14128148 -}}OntologyClass:AmericanFootballTeam200370488472015-09-08T17:58:58Z{{Class +}}OntologyClass:AmericanFootballTeam200370554912021-09-13T09:22:11Z{{Class | labels = {{label|it|squadra di football americano}} {{label|en|american football Team}} @@ -342,8 +400,17 @@ {{label|fr|équipe américaine de football américain}} {{label|ja|アメリカン・フットボール・チーム}} {{label|ko|미식 축구 팀}} +{{label|ur|امریکن فٹ بال ٹیم}} | rdfs:subClassOf = SportsTeam -}}OntologyClass:Amphibian200295488482015-09-08T17:59:38Z{{Class +}}OntologyClass:AmericanLeader20013578577502022-04-26T12:19:12Z{{Class +| labels = + {{label|en|American Leader}} + {{label|eu|Amerikako liderra}} + {{label|da|Amerikansk leder}} + {{label|fr|chef américain}} + {{label|ur|امریکی رہنما}} +| rdfs:subClassOf = Person +}}OntologyClass:Amphibian200295577552022-04-26T12:25:57Z{{Class | labels = {{label|en|amphibian}} {{label|ga|amfaibiach}} @@ -356,16 +423,22 @@ {{label|nl|amfibie}} {{label|it|anfibio}} {{label|ko|양서류}} +{{label|ur|جل تھلیا}} + +|comments= +{{comment|ur|خشکی اور تری دونوں کا وہ جانور جوخشکی اور پانی دونوں میں رہے}} | rdfs:subClassOf = Animal -}}OntologyClass:AmusementParkAttraction2008003488492015-09-08T18:00:48Z{{Class +}}OntologyClass:AmusementParkAttraction2008003568782022-03-02T17:06:42Z{{Class | labels = {{label|en|amusement park attraction}} {{label|nl|pretparkattractie}} {{label|de|Vergnügungsparkattraktion}} {{label|el|δραστηριότητα λούνα πάρκ}} +{{label|ur|تفریحی پارک کی کشش}} {{label|gl|atracción de parque de atraccións}} +{{label|fr|parc d'attractions}} | rdfs:subClassOf = ArchitecturalStructure -}}OntologyClass:AnatomicalStructure200296488502015-09-08T18:03:08Z{{Class +}}OntologyClass:AnatomicalStructure200296551792021-09-10T17:02:12Z{{Class | labels = {{label|en|anatomical structure}} {{label|ga|coirpeog}} @@ -378,9 +451,10 @@ {{label|ko|해부학}} {{label|ja|解剖構造}} {{label|it|struttura anatomica}} + {{label|ur|جسمانی ساخت}} | rdfs:subClassOf = owl:Thing | owl:equivalentClass = wikidata:Q4936952 -}}OntologyClass:Animal200297520752017-06-19T10:25:47Z{{Class +}}OntologyClass:Animal200297550632021-09-09T14:26:21Z{{Class | labels = {{label|it|animale}} {{label|en|animal}} @@ -397,9 +471,10 @@ {{label|es|animal}} {{label|pt|animal}} {{label|sk|zviera}} +{{label|ur|جانور}} | rdfs:subClassOf = Eukaryote | owl:equivalentClass = wikidata:Q729 -}}OntologyClass:AnimangaCharacter2006205518922017-02-19T15:30:58Z{{Class +}}OntologyClass:AnimangaCharacter2006205552992021-09-11T11:47:31Z{{Class | labels = {{label|en|animanga character}} {{label|ga|carachtar animanga}} {{label|el|χαρακτήρας ανιμάνγκα}} @@ -410,12 +485,14 @@ {{label|ja|キャラクター}} {{label|ko|만화애니 등장인물}} {{label|fr|personnage d'animanga}} +{{label|ur|انیمنگا کردار}} | comments = {{comment|en|Anime/Manga character}} {{comment|el|Χαρακτήρας από Άνιμε/Μάνγκα}} | rdfs:subClassOf = ComicsCharacter -}}OntologyClass:Anime2005814488862015-09-23T11:02:29Z{{Class +}}OntologyClass:Anime2005814578832022-05-05T08:42:06Z{{Class | labels = {{label|en|Anime}} +{{label|fr|Animation}} {{label|nl|anime}} {{label|de|anime}} {{label|el|άνιμε}} @@ -423,10 +500,13 @@ {{label|ga|anime}} {{label|gl|anime}} {{label|ja|アニメ}} +{{label|ur|انیمے}} {{label|ko|일본의 애니메이션}} | comments = {{comment|en|A style of animation originating in Japan}} +{{comment|fr|Style d'animation né au Japon}} {{comment|nl|Geanimeerd Japans stripverhaal}} +{{comment|ur|حرکت پذیری کا ایک انداز جاپان میں شروع ہوا۔}} {{comment|el|Στυλ κινουμένων σχεδίων με καταγωγή την Ιαπωνία}} {{comment|gl|Designación coa que se coñece a animación xaponesa}} | rdfs:subClassOf = Cartoon @@ -436,7 +516,7 @@ <ref name="anime">http://en.wikipedia.org/wiki/Anime</ref> ==References== -<references/>OntologyClass:Annotation20011279518932017-02-19T15:35:48Z{{Class +<references/>OntologyClass:Annotation20011279555232021-09-15T05:03:47Z{{Class | labels = {{label|en|Annotation}} {{label|el|Σχόλιο}} @@ -445,9 +525,10 @@ {{label|de|Randglosse}} {{label|ja|注釈}} {{label|fr|annotation}} +{{label|ur|تشریح}} | rdfs:subClassOf = WrittenWork | owl:equivalentClass = schema:Comment, bibo:Note -}}OntologyClass:Arachnid200298480152015-05-25T15:02:25Z{{Class +}}OntologyClass:Arachnid200298553032021-09-11T12:01:44Z{{Class | labels = {{label|en|arachnid}} {{label|ga|araicnid}} @@ -459,10 +540,13 @@ {{label|ja|クモ綱}} {{label|it|aracnide}} {{label|ko|거미강}} +{{label|ur|عنکبات}} {{label|es|arácnido}} +|comments= +{{comment|ur|حیوانیات میں اِس خاندان کا نام جِس میں مکڑی اور بچھو وغیرہ شامِل ہیں}} | rdfs:subClassOf = Animal -}}OntologyClass:Archaea200299470592015-03-23T11:24:34Z{{Class +}}OntologyClass:Archaea200299578872022-05-05T08:53:47Z{{Class | labels = {{label|en|archaea}} {{label|nl|Archaea (oerbacteriën)}} @@ -472,15 +556,17 @@ {{label|ja|古細菌}} {{label|ko|고세균}} {{label|it|archei}} +{{label|ur|آثار قدیمہ}} | rdfs:subClassOf = Species -}}OntologyClass:Archbishop20011940524452017-10-15T17:53:09Z{{Class +}}OntologyClass:Archbishop20011940578902022-05-05T10:30:31Z{{Class | labels = {{label|en|archbishop}} {{label|de|Erzbischof}} {{label|nl|aartsbisschop}} {{label|fr|archevêque}} +{{label|ur|پادریوں کا سردار}} | rdfs:subClassOf = ChristianBishop -}}OntologyClass:Archeologist2008019503932016-03-04T05:47:34Z{{Class +}}OntologyClass:Archeologist2008019553042021-09-11T12:03:35Z{{Class | labels = {{label|en|archeologist}} {{label|de|Archäologe}} @@ -491,15 +577,18 @@ {{label|nl|archeoloog}} {{label|pl|archeolog}} {{label|ja|考古学者}} +{{label|ur|ماہر آثار قدیمہ}} | rdfs:subClassOf = Person | owl:equivalentClass = wikidata:Q3621491 -}}OntologyClass:ArcherPlayer20011161469452015-03-22T17:17:58Z{{Class +}}OntologyClass:ArcherPlayer20011161578992022-05-05T10:58:56Z{{Class | labels = {{label|en|Archer Player}} + {{label|fr|Tireur à l'arc}} + {{label|ur|تیر انداز کھلاڑی}} {{label|de|Bogenschütze}} {{label|nl|boogschutter}} | rdfs:subClassOf = Athlete -}}OntologyClass:Archipelago2009326507462016-04-15T11:49:20Z{{Class +}}OntologyClass:Archipelago2009326555292021-09-15T05:11:49Z{{Class | labels = {{label|en|archipelago}} {{label|fr|archipel}} @@ -509,9 +598,11 @@ {{label|es|archipiélago}} {{label|pt|arquipélago}} {{label|ja|多島海}} +{{label|ur| +جزیرہ نما}} | rdfs:subClassOf = NaturalPlace | owl:equivalentClass = wikidata:Q33837 -}}OntologyClass:Architect200300529142018-02-16T13:17:06Z{{Class +}}OntologyClass:Architect200300553062021-09-11T12:04:49Z{{Class | labels = {{label|en|architect}} {{label|ga|uaslathaí}} @@ -523,28 +614,31 @@ {{label|ja|建築士}} {{label|nl|architect}} {{label|it|architetto}} +{{label|ur|معمار}} | rdfs:subClassOf = Person | owl:equivalentClass = wikidata:Q42973 -}}OntologyClass:ArchitecturalStructure2003253480172015-05-25T15:02:37Zhttp://mappings.dbpedia.org/index.php/OntologyClass:ArchitecturalStructure +}}OntologyClass:ArchitecturalStructure2003253575102022-04-24T11:07:49Zhttp://mappings.dbpedia.org/index.php/OntologyClass:ArchitecturalStructure {{Class | labels = {{label|en|architectural structure}} +{{label|fr|structure architecturale}} {{label|ga|struchtúr ailtireachta}} {{label|el|αρχιτεκτονική κατασκευή}} {{label|nl|bouwsel}} {{label|de|Bauwerk}} {{label|ja|構造物}} {{label|it|struttura architettonica}} -{{label|fr|structure architecturale}} {{label|es|estructura arquitectural}} {{label|ko|건축 구조}} - +{{label|ur| تعمیراتی ڈھانچے}} | comments = +{{comment|ur|یہ تعمیراتی ڈھانچے مواد سے بنے ہیں۔، آزادانہ ، غیر مستحکم بیرونی تعمیر۔}} {{comment|en|An architectural structure is a human-made, free-standing, immobile outdoor construction (http://en.wikipedia.org/wiki/Architectural_structure).}} +{{comment|fr|Une structure architecturale est une construction extérieure immobile, autonome et construite par l'homme (http://en.wikipedia.org/wiki/Architectural_structure).}} {{comment|el|Μια αρχιτεκτονική κατασκευή είναι μια ανθρώπινη κατασκευή, επιδαπέδια, ακίνητη κατασκευή (http://en.wikipedia.org/wiki/Architectural_structure).}} {{comment|de|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).}} -| rdfs:subClassOf = Place -}}OntologyClass:Archive2008406518942017-02-19T15:38:58Z{{Class +| rdfs:subClassOf = owl:Thing +}}OntologyClass:Archive2008406579072022-05-05T11:14:45Z{{Class | labels = {{label|en|Archive}} {{label|de|Archiv}} @@ -554,14 +648,18 @@ {{label|pl|archiwum}} {{label|ja|アーカイブ}} {{label|fr|archive}} +{{label|ur|محفوظ شدہ دستاویزات}} + | rdfs:subClassOf = CollectionOfValuables + | comments = {{comment|en|Collection of documents pertaining to a person or organisation.}} +{{comment|ur|کسی شخص یا تنظیم سے متعلق دستاویزات کا مجموع}} {{comment|fr|Collection de documents appartenant à une personne ou une organisation.}} {{comment|el|Η συλλογή των εγγράφων που σχετίζονται με ένα πρόσωπο ή οργανισμό.}} {{comment|nl|Verzameling van documenten rondom een persoon of organisatie.}} | owl:equivalentClass = wikidata:Q166118 -}}OntologyClass:Area2007910518952017-02-19T15:41:11Z{{Class +}}OntologyClass:Area2007910553082021-09-11T12:07:20Z{{Class | labels = {{label|en|area}} {{label|ga|ceantar}} @@ -570,27 +668,24 @@ {{label|el|εμβαδόν}} {{label|ja|面積}} {{label|fr|aire}} +{{label|ur|رقبہ}} | comments = {{comment|en|Area 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)}} +{{comment|ur|کسی چیز کا علاقہ}} {{comment|fr|Mesure d'une surface.}} {{comment|el|Εμβαδόν ή έκταση είναι το μέγεθος μέτρησης των επιφανειών.}} -}}OntologyClass:Arena2002753528202018-02-08T20:00:27Z{{Class +}}OntologyClass:Arena2002753566862022-02-28T10:37:30Z{{Class | labels = {{label|en|arena}} -{{label|nl|stadion}} -{{label|de|stadion}} -{{label|it|stadio}} -{{label|el|παλαίστρα}} -{{label|pt|arena}} -{{label|ja|アリーナ}} -{{label|ko|아레나}} -{{label|fr|aréna}} +{{label|fr|arène}} +{{label|ur|میدان}} + | rdfs:subClassOf = ArchitecturalStructure, schema:StadiumOrArena |owl:equivalentClass = | comments = {{comment|en|An 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)}} {{comment|fr|Une aréna désigne une enceinte pouvant accueillir des spectacles, des concerts ou des événements sportifs.(https://fr.wikipedia.org/wiki/Arena)}} -}}OntologyClass:Aristocrat2007548510792016-05-14T15:14:49Z{{Class +}}OntologyClass:Aristocrat2007548555332021-09-15T05:16:50Z{{Class | labels = {{label|en|aristocrat}} {{label|fr|aristocrate}} @@ -598,24 +693,28 @@ {{label|de|Aristokrat}} {{label|nl|aristocraat}} {{label|es|aristócrata}} +{{label|ur|اشرافیہ}} + {{label|ja|貴種}} -| rdfs:subClassOf = Person}}OntologyClass:Arrondissement20010271507482016-04-15T11:53:35Z{{Class +| rdfs:subClassOf = Person}}OntologyClass:Arrondissement20010271553332021-09-11T18:17:56Z{{Class | labels = {{label|en|arrondissement}} {{label|de|arrondissement}} {{label|fr|arrondissement}} {{label|nl|arrondissement}} {{label|ja|フランスの群}} - +{{label|ur|فرانس کا انتظامی ضلع}} | comments = {{comment|en|An administrative (France) or lawcourts (Netherlands) body governing a territorial unity on the intermediate level, between local and national level}} +{{comment|ur|ایک انتظامی (فرانس) یا قانون کی عدالتیں (نیدرلینڈز) جو کہ علاقائی وحدت پر مقامی اور قومی سطح کے درمیان حکمرانی کرتی ہیں}} {{comment|de|Das Wort Arrondissement dient zur Bezeichnung verschiedener Verwaltungsbezirke in Frankreich, Belgien, Kanada und anderen Ländern}} | rdfs:subClassOf = GovernmentalAdministrativeRegion | owl:equivalentClass = -}}OntologyClass:Artery200302515792016-11-03T08:42:23Z{{Class +}}OntologyClass:Artery200302556162021-09-15T10:08:12Z{{Class | labels = {{label|it|arteria}} +{{label|ur|شریان}} {{label|en|artery}} {{label|ga|artaire}} {{label|el|αρτηρία}} @@ -627,16 +726,17 @@ {{label|pl|tętnica}} | rdfs:subClassOf = AnatomicalStructure | owl:equivalentClass = wikidata:Q9655 -}}OntologyClass:Article20010287503672016-03-02T09:30:50Z{{Class +}}OntologyClass:Article20010287579182022-05-05T11:31:33Z{{Class | labels = {{label|en|article}} {{label|de|Artikle}} {{label|nl|artikel}} {{label|fr|article}} {{label|ja|記事}} +{{label|ur|جریدے کا نشر پارہ}} | rdfs:subClassOf = WrittenWork | owl:equivalentClass = bibo:Article -}}OntologyClass:ArtificialSatellite2009370518982017-02-19T15:46:29Z{{Class +}}OntologyClass:ArtificialSatellite2009370553372021-09-11T18:25:13Z{{Class | labels = {{label|en|ArtificialSatellite}} {{label|ga|satailít shaorga}} {{label|nl|kunstmatige satelliet}} @@ -644,13 +744,16 @@ {{label|el|τεχνητός δορυφόρος}} {{label|ja|人工衛星}} {{label|fr|satellite artificiel}} + {{label|ur|مصنوعی سیارہ}} | comments = {{comment|en|In the context of spaceflight, an artificial satellite is an artificial object which has been intentionally placed into orbit.}} +{{comment|ur|خلائی پرواز کے تناظر میں ، مصنوعی سیارہ ایک مصنوعی شے ہے جسے جان بوجھ کر مدار میں رکھا گیا ہے}} + {{comment|de|Satellit (Raumfahrt), ein künstlicher Raumflugkörper, der einen Himmelskörper auf einer festen Umlaufbahn umrundet}} {{comment|el|Στο πλαίσιο των διαστημικών πτήσεων, ένας τεχνητός δορυφόρος είναι ένα τεχνητό αντικείμενο το οποίο εκ προθέσεως έχει τοποθετηθεί σε τροχιά.}} {{comment|fr|Un satellite artificiel est un objet placé intentionellement en orbite.}} | rdfs:subClassOf = Satellite <!-- | owl:equivalentClass = http://www.ontotext.com/proton/protonext#ArtificialSatellite --> -}}OntologyClass:Artist200303520882017-06-19T10:39:49Z{{Class +}}OntologyClass:Artist200303549692021-09-09T11:05:16Z{{Class | labels = {{label|en|artist}} {{label|ga|ealaíontóir}} @@ -665,36 +768,41 @@ {{label|nl|kunstenaar}} {{label|be|мастак}} {{label|it|artista}} +{{label|ur|فنکار}} | rdfs:subClassOf = Person | owl:equivalentClass = wikidata:Q483501 -}}OntologyClass:ArtistDiscography2006083480212015-05-25T15:03:04Z{{Class +}}OntologyClass:ArtistDiscography2006083579292022-05-05T12:34:12Z{{Class | labels = {{label|it|discografia dell'artista}} {{label|en|artist discography}} {{label|ga|dioscagrafaíocht an ealaíontóra}} {{label|nl|artiest discografie}} {{label|de|Künstler Diskografie}} +{{label|ur|فنکارکاریکارڈ نامہ}} {{label|el|δισκογραφία καλλιτέχνη}} {{label|fr|discographie de l'artiste}} {{label|ko|음반}} {{label|ja|ディスコグラフィ}} {{label|fr|discogafía de artista}} | rdfs:subClassOf = MusicalWork -}}OntologyClass:ArtisticGenre2009707518992017-02-19T15:49:44Z{{Class +}}OntologyClass:ArtisticGenre2009707553432021-09-11T18:36:05Z{{Class |labels= {{label|en|artistic genre}} {{label|de|Kunstgattung}} {{label|nl|kunstsoort}} {{label|fr|genre artistique}} +{{label|ur|فنکارانہ صنف}} | comments = {{comment|en|Genres of art, e.g. Pointillist, Modernist}} {{comment|de|Gattung nennt man in den Kunstwissenschaften die auf das künstlerische Ausdrucksmedium bezogenen Formen der Kunst.}} {{comment|fr|genre d'art, ex: Pointillisme, Modernisme}} +{{comment|ur|فن کی انواع }} | rdfs:subClassOf = Genre | rdfs:comment = Please note, that the two comments (English and German) depart from different definitions -}}OntologyClass:Artwork2005199520862017-06-19T10:37:56Z{{Class +}}OntologyClass:Artwork2005199564422022-02-17T04:38:59Z{{Class |labels = {{label|en|artwork}} {{label|ga|saothar ealaíne}} +{{label|ur|کار ہنر}} {{label|da|kunstværk}} {{label|de|Kunstwerk}} {{label|nl|kunstwerk}} @@ -706,8 +814,9 @@ {{label|ko|작품}} | comments = {{comment|en|A work of art, artwork, art piece, or art object is an aesthetic item or artistic creation.}} +{{comment|ur|فن کا کام، فَنی پیس، یا فَنی آبجیکٹ ایک جمالیاتی شے یا فنکارانہ تخلیق ہے۔}} | rdfs:subClassOf = Work -}}OntologyClass:Asteroid2004232479672015-05-25T14:57:22Z{{Class +}}OntologyClass:Asteroid2004232555372021-09-15T05:21:36Z{{Class | labels = {{label|it|asteroide}} {{label|de|Asteroid}} @@ -718,12 +827,13 @@ {{label|es|asteroide}} {{label|fr|astéroïde}} {{label|ja|小惑星}} +{{label|ur|کشودرگرہ}} {{label|nl|asteroïde}} {{label|ko|소행성}} | rdfs:subClassOf = CelestialBody | rdfs:seeAlso = Planet | owl:equivalentClass = wikidata:Q3863 -}}OntologyClass:Astronaut200304480232015-05-25T15:03:14Z{{Class +}}OntologyClass:Astronaut200304553502021-09-11T18:44:38Z{{Class | labels = {{label|it|astronauta}} @@ -732,6 +842,7 @@ {{label|ko|우주인}} {{label|el|αστροναύτης}} {{label|es|astronauta}} +{{label|ur|خلا باز}} {{label|pt|astronauta}} {{label|fr|astronaute}} {{label|de|Astronaut}} @@ -741,7 +852,7 @@ | rdfs:subClassOf = Person | specificProperties = {{SpecificProperty | ontologyProperty = timeInSpace | unit = minute }} | owl:equivalentClass = wikidata:Q11631 -}}OntologyClass:Athlete200305480242015-05-25T15:03:19Z{{Class +}}OntologyClass:Athlete200305550752021-09-09T15:02:51Z{{Class | labels = {{label|en|athlete}} {{label|ga|lúthchleasaí}} @@ -752,8 +863,9 @@ {{label|ja|アスリート}} {{label|it|atleta}} {{label|ko|운동 선수}} +{{label|ur|کھلاڑی}} | rdfs:subClassOf = Person -}}OntologyClass:Athletics2007844503862016-03-04T05:20:01Z{{Class +}}OntologyClass:Athletics2007844579362022-05-05T12:42:10Z{{Class | labels = {{label|en|athletics}} {{label|ga|lúthchleasaíocht}} @@ -763,8 +875,9 @@ {{label|de|Leichtathletik}} {{label|el|αθλητικά}} {{label|ja|陸上競技}} +{{label|ur|کھیل کے متعلق}} | rdfs:subClassOf = Sport -}}OntologyClass:AthleticsPlayer2009554503872016-03-04T05:20:32Z{{Class +}}OntologyClass:AthleticsPlayer2009554554052021-09-12T06:19:10Z{{Class | labels = {{label|en|athletics player}} {{label|ga|lúthchleasaí}} @@ -772,8 +885,9 @@ {{label|de|Athlet}} {{label|it|giocatore di atletica leggera}} {{label|ja|陸上競技選手}} +{{label|ur|پھُرتیلاکھلاڑی}} | rdfs:subClassOf = Athlete -}}OntologyClass:Atoll2002575470352015-03-23T09:18:39Z{{Class +}}OntologyClass:Atoll2002575579662022-05-06T02:17:40Z{{Class | labels = {{label|en|atoll}} {{label|de|Atoll}} @@ -783,18 +897,26 @@ {{label|nl|atol}} {{label|ko|환초}} {{label|it|atollo}} +{{label|ur|اڈل}} + +|comments= +{{comment|ur|مرجانی چٹانوں سے بنا ہواجزیرہ}} | rdfs:subClassOf = Island -}}OntologyClass:Attack20011148503892016-03-04T05:22:16Z{{Class +}}OntologyClass:Attack20011148555422021-09-15T05:28:14Z{{Class | labels = {{label|en|attack}} {{label|de|Angriff, Anschlag}} {{label|fr|attaque, attentat}} {{label|nl|aanval, aanslag}} +{{label|ur|حملہ}} + {{label|ja|攻撃}} | comments = {{comment|en|An Attack is not necessarily part of a Military Conflict}} +{{comment|en|حملہ لازمی طور پر فوجی تصادم کا حصہ نہیں ہے۔}} + | rdfs:subClassOf = SocietalEvent -}}OntologyClass:AustralianFootballLeague2002281467602015-03-21T18:34:11Z{{Class +}}OntologyClass:AustralianFootballLeague2002281554012021-09-12T05:51:20Z{{Class | labels = {{label|it|lega di football australiano}} {{label|en|australian football league}} @@ -806,21 +928,24 @@ {{label|ja|オーストラリアン・フットボール・リーグ}} {{label|ko|오스트레일리안 풋볼 리그}} {{label|nl|australian football competitie}} +{{label|ur|آسٹریلوی فٹ بال کی انجمن}} | comments = {{comment|en|A group of sports teams that compete against each other in australian football.}} +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروپ جو آسٹریلین فٹ بال میں ایک دوسرے کے خلاف مقابلہ کرتا ہے}} {{comment|el|Μια ομάδα αθλητικών ομάδων που ανταγωνίζονται μεταξύ τους σε αυστραλιανό ποδόσφαιρο.}} | rdfs:subClassOf = SportsLeague -}}OntologyClass:AustralianFootballTeam2008001519002017-02-19T15:50:34Z{{Class +}}OntologyClass:AustralianFootballTeam2008001556242021-09-15T10:21:40Z{{Class | labels = {{label|el|ποδοσφαιρική ομάδα αυστραλίας}} {{label|it|squadra di football australiano}} {{label|en|australian football Team}} +{{label|ur|آسٹریلوی فٹ بال ٹیم}} {{label|nl|Australian football team}} {{label|de|Australian Football Team}} {{label|fr|Équipe de Football Australien}} {{label|ja|オーストラリアンフットボールチーム}} | rdfs:subClassOf = SportsTeam -}}OntologyClass:AustralianRulesFootballPlayer2004156514992016-09-16T19:23:04Z{{Class +}}OntologyClass:AustralianRulesFootballPlayer2004156555442021-09-15T05:30:14Z{{Class | labels = {{label|en|Australian rules football player}} {{label|nl|Australian football-speler}} @@ -829,9 +954,11 @@ {{label|ja|オージーフットボール選手}} {{label|ko|오스트레일리아식 풋볼 선수}} {{label|it|giocatore di football australiano}} + {{label|ur|آسٹریلوی رولز فٹ بال پلیئر}} + | rdfs:subClassOf = Athlete | owl:equivalentClass = wikidata:Q13414980 -}}OntologyClass:AutoRacingLeague2002162483282015-05-25T15:44:36Z{{Class +}}OntologyClass:AutoRacingLeague2002162554022021-09-12T05:59:55Z{{Class | rdfs:label@en = auto racing league | rdfs:label@ga = sraith rásaíochta charanna | rdfs:label@el = πρωτάθλημα αγώνων αυτοκινήτων @@ -841,14 +968,20 @@ | rdfs:label@de = Auto Racing League | rdfs:label@ko =자동차 경주 대회 | labels = {{label|it|lega automobilistica}} +{{label|ur|گاڑیوں کی ریسوں کی انجمن}} + +|comments= +{{comment|ur|کھیلوں کی ٹیموں یا انفرادی کھلاڑیوں کا ایک گروپ جو آٹو ریسنگ میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں}} + | rdfs:comment@en = a group of sports teams or individual athletes that compete against each other in auto racing | rdfs:comment@el = μια ομάδα αθλητικών ομάδων ή μεμονωμένων αθλητών που ανταγωνίζονται μεταξύ τους σε αγώνες αυτοκινήτων | rdfs:subClassOf = SportsLeague -}}OntologyClass:Automobile200306528152018-02-08T19:55:36Z +}}OntologyClass:Automobile200306556262021-09-15T10:23:35Z {{Class | labels = {{label|it|automobile}} {{label|en|automobile}} +{{label|ur|گاڑی}} {{label|ga|gluaisteán}} {{label|be|аўтамабіль}} {{label|ru|автомобиль}} @@ -866,7 +999,7 @@ | owl:equivalentClass = | specificProperties = {{SpecificProperty | ontologyProperty = fuelCapacity | unit = litre }} {{SpecificProperty | ontologyProperty = wheelbase | unit = millimetre }} -}}OntologyClass:AutomobileEngine200307480262015-05-25T15:03:37Z{{Class +}}OntologyClass:AutomobileEngine200307579562022-05-06T01:56:45Z{{Class | labels = {{label|it|motore d'automobile}} {{label|en|automobile engine}} @@ -878,8 +1011,10 @@ {{label|pt|motor de automóvel}} {{label|ja|内燃機関}} {{label|nl|automotor}} +{{label|ur|موٹر گاڑی کا انجن}} + | rdfs:subClassOf = Engine -}}OntologyClass:Award200308480272015-05-25T15:03:42Z{{Class +}}OntologyClass:Award200308552142021-09-10T18:10:56Z{{Class | labels = {{label|it|premio}} {{label|de|Auszeichnung}} @@ -892,15 +1027,22 @@ {{label|sl|nagrada}} {{label|ko|상}} {{label|ja|賞}} +{{label|ur|انعام}} | rdfs:subClassOf = owl:Thing | owl:equivalentClass = wikidata:Q618779 -}}OntologyClass:BackScene2007754469462015-03-22T17:19:19Z{{Class +}}OntologyClass:BackScene2007754577872022-05-01T11:10:36Z{{Class | labels = -{{label|en|back scene}} -{{label|de|Backround-Chor}} -{{label|nl|achtergrond koor}} + {{label|en|back scene}} + {{label|de|Backround-Chor}} + {{label|nl|achtergrond koor}} + {{label|fr|Arrière-scène}} + {{label|ur|پس_منظر}} +| comments = + {{comment|en|Composer, producer, and backstage people.}} +{{comment|ur| نَغمہ سَاز، پیش کرنے والا، اور پس پردہ لوگ}} + {{comment|fr|Tout compositeur de texte, producteur, arrangeur, ingénieur et personnel d'arrière scène.}} | rdfs:subClassOf = MusicalArtist -}}OntologyClass:Bacteria200309480282015-05-25T15:03:46Z{{Class +}}OntologyClass:Bacteria200309587392022-05-16T18:51:59Z{{Class | labels = {{label|it|batterio}} {{label|en|bacteria}} @@ -911,9 +1053,11 @@ {{label|fr|bactérie}} {{label|ja|真正細菌}} {{label|nl|bacterie}} +{{label|ur|جراثیم}} + {{label|ko|세균}} | rdfs:subClassOf = Species -}}OntologyClass:BadmintonPlayer200310479562015-05-25T14:56:06Z{{Class +}}OntologyClass:BadmintonPlayer200310554072021-09-12T06:25:16Z{{Class | labels = {{label|it|giocatore di badminton}} {{label|en|badminton player}} @@ -924,13 +1068,14 @@ {{label|nl|badmintonspeler}} {{label|pt|jogador de badminton}} {{label|ko|배드민턴 선수}} +{{label|ur|بیڈمنٹن کا کھلاڑی}} {{label|ja|バドミントン選手}} | rdfs:subClassOf = Athlete -}}OntologyClass:Band200311480292015-05-25T15:03:51Z{{Class +}}OntologyClass:Band200311573462022-03-31T11:28:03Z{{Class | labels = {{label|en|Band}} -{{label|ga|banna ceoil}} + {{label|ga|banna ceoil}} {{label|nl|band}} {{label|de|Musikgruppe}} {{label|fr|groupe de musique}} @@ -939,10 +1084,11 @@ {{label|es|banda}} {{label|ko|음악 그룹}} {{label|ja|バンド_(音楽)}} - {{label|it|gruppo musicale}} + {{label|it|gruppo musicale}} + {{label|ur|گانے والوں کا گروہ}} | rdfs:subClassOf = Group, schema:MusicGroup, dul:SocialPerson | owl:equivalentClass = wikidata:Q215380 -}}OntologyClass:Bank20010290507492016-04-15T11:55:21Z{{Class +}}OntologyClass:Bank20010290577972022-05-01T12:24:45Z{{Class | labels = {{label|en|bank}} {{label|nl|bank}} @@ -952,21 +1098,25 @@ {{label|pt|banco}} {{label|es|banco}} {{label|it|banca}} +{{label|ur|بینک +}} {{label|ja|銀行}} | rdfs:subClassOf = Company | owl:equivalentClass = schema:BankOrCreditUnion | comments = {{comment|en|a company which main services are banking or financial services.}} -}}OntologyClass:Baronet2008886507502016-04-15T12:00:43Z{{Class +{{comment|ur|ایک تِجارتی اِدارہ جس کی اہم خدمات بینکنگ یا مالیاتی خدمات ہیں}} +}}OntologyClass:Baronet2008886554092021-09-12T06:27:45Z{{Class | labels = {{label|en|baronet}} {{label|nl|baronet}} {{label|de|Baronet}} {{label|it|baronetto}} {{label|ja|準男爵}} +{{label|ur|چھوٹا نواب}} | rdfs:subClassOf = BritishRoyalty -}}OntologyClass:BaseballLeague2002163480302015-05-25T15:03:56Z{{Class +}}OntologyClass:BaseballLeague2002163561052021-11-05T11:12:55Z{{Class | labels = {{label|en|baseball league}} {{label|ga|sraith daorchluiche}} @@ -978,12 +1128,14 @@ {{label|it|lega di baseball}} {{label|nl|honkbal competitie}} {{label|ko|야구 리그}} +{{label|ur|بیس بال کی انجمن}} | rdfs:subClassOf = SportsLeague | comments = {{comment|en|a group of sports teams that compete against each other in Baseball.}} {{comment|el|ένα σύνολο από ομάδες μπέιζμπολ οι οποίες συναγωνίζονται μεταξύ τους.}} +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروہ جو بیس بال میں ایک دوسرے کے خلاف مقابلہ کرتا ہے۔.}} | owl:equivalentClass = wikidata:Q6631808 -}}OntologyClass:BaseballPlayer200312480312015-05-25T15:04:01Z{{Class +}}OntologyClass:BaseballPlayer200312555542021-09-15T06:32:51Z{{Class | labels= {{label|en|baseball player}} {{label|ga|imreoir daorchluiche}} @@ -994,12 +1146,15 @@ {{label|ja|野球選手}} {{label|ko|야구 선수}} {{label|pt|jogador de basebol}} +{{label|ur|بیس بال کا کھلاڑی}} + {{label|nl|honkballer}} | rdfs:subClassOf = Athlete + | comments = {{comment|el|Ο αθλητής (άνδρας ή γυναίκα) που συμμετέχει σε μία ομάδα μπέιζμπολ.}} | owl:equivalentClass = wikidata:Q10871364 -}}OntologyClass:BaseballSeason2008297519012017-02-19T15:51:29Z{{Class +}}OntologyClass:BaseballSeason2008297554112021-09-12T06:30:57Z{{Class | labels = {{label|en|baseball season}} {{label|ga|séasúr daorchluiche}} @@ -1007,8 +1162,9 @@ {{label|de|Baseballsaison}} {{label|fr|saison de baseball}} {{label|el|σεζόν του μπέιζμπολ}} +{{label|ur|بیس بال کا موسم}} | rdfs:subClassOf = SportsTeamSeason -}}OntologyClass:BaseballTeam2005760519982017-03-22T15:42:44Z{{Class +}}OntologyClass:BaseballTeam2005760578082022-05-01T15:02:35Z{{Class | labels = {{label|en|baseball team}} {{label|ga|foireann daorchluiche}} @@ -1020,11 +1176,14 @@ {{label|ja|野球チーム}} {{label|nl|honkbal team}} {{label|ko|야구팀}} +{{label|ur|بیس بال کی جماعت}} | rdfs:subClassOf = SportsTeam | comments = {{comment|el| Ένας αριθμός από άνδρες ή γυναίκες που αποτελούν ένα διακριτό σύνολο με συγκεκριμένους στόχους σχετικά με το άθλημα του μπέιζμπολ.}} -}}OntologyClass:BasketballLeague2002164480332015-05-25T15:04:21Z{{Class + +}}OntologyClass:BasketballLeague2002164583482022-05-14T05:56:25Z{{Class | rdfs:label@en = basketball league + | rdfs:label@ga = sraith cispheile | rdfs:label@de = Basketball-Liga | rdfs:label@es = liga de baloncesto @@ -1035,8 +1194,14 @@ | rdfs:label@ko = 농구 리그 | labels = {{label|it|lega di pallacanestro}} | rdfs:comment@en = a group of sports teams that compete against each other in Basketball +| comments = {{comment|ur|کھیلوں کی ٹیموں کا ایک گروپ جو باسکٹ بال میں ایک دوسرے سے مقابلہ کرتا ہے}} + | rdfs:subClassOf = SportsLeague -}}OntologyClass:BasketballPlayer200313480342015-05-25T15:04:26Z{{Class +|labels = + + +{{label|ur|باسکٹ بال کی انجمن}} +}}OntologyClass:BasketballPlayer200313578182022-05-01T15:22:32Z{{Class | labels = {{label|en|basketball player}} {{label|ga|imreoir cispheile}} @@ -1048,11 +1213,12 @@ {{label|it|giocatore di pallacanestro}} {{label|ko|농구 선수}} {{label|nl|basketbal speler}} +{{label|ur|باسکٹ بال کھلاڑی}} | rdfs:subClassOf = Athlete |comments = {{comment|el|Ένας αθλητής (άνδρας ή γυναίκα) που ασχολείται με το άθλημα της καλαθοσφαίρισης.}} | owl:equivalentClass = wikidata:Q3665646 -}}OntologyClass:BasketballTeam2002750519972017-03-22T15:41:36Z{{Class +}}OntologyClass:BasketballTeam2002750550432021-09-09T13:36:20Z{{Class | labels = {{label|it|squadra di pallacanestro}} {{label|el|Κουτί πληροφοριών συλλόγου καλαθοσφαίρισης}} @@ -1064,21 +1230,27 @@ {{label|de|Basketballmannschaft}} {{label|ja|バスケットボールチーム}} {{label|ko| 농구 팀 }} +{{label|ur|باسکٹ بال کی جماعت}} | rdfs:subClassOf = SportsTeam -}}OntologyClass:Battery20011978526042017-10-31T11:06:16Z{{Class +}}OntologyClass:Battery20011978578222022-05-01T15:32:01Z{{Class | labels = {{label|it|batteria}} {{label|nl|batterij}} {{label|es|batería}} {{label|pt|bateria}} + +{{label|ur|برقی طاقت پیدا کرنے کا آلہ}} + {{label|fr|pile}} {{label|de|Batterie}} {{label|en|battery}} | comments = {{comment|en|The battery (type) used as energy source in vehicles.}} +{{comment|en|بیٹری (قسم) گاڑیوں میں توانائی کے منبع کے طور پر استعمال ہوتی ہے۔.}} + | rdfs:domain = MeanOfTransportation | rdfs:subClassOf = Device | owl:equivalentClass = wikidata:Q267298 -}}OntologyClass:Bay20011293510782016-05-14T15:11:09Z{{Class +}}OntologyClass:Bay20011293553612021-09-11T19:15:46Z{{Class |labels = {{label|en|bay}} {{label|de|Bucht}} @@ -1086,9 +1258,10 @@ {{label|nl|baai}} {{label|pt|baía}} {{label|ja|湾}} +{{label|ur|خلیج}} | rdfs:subClassOf = BodyOfWater -}}OntologyClass:Beach20010445521272017-06-19T11:15:40Z{{Class +}}OntologyClass:Beach20010445550452021-09-09T13:44:57Z{{Class |labels = {{label|en|beach}} {{label|nl|strand}} @@ -1099,12 +1272,14 @@ {{label|ca|platja}} {{label|pt|praia}} {{label|ja|砂浜}} + {{label|ur|ساحل_سمندر}} |comments = {{comment|en|The shore of a body of water, especially when sandy or pebbly.}} {{comment|es|Ribera del mar o de un río grande, formada de arenales en superficie casi plana.}} +{{comment|ur|پانی کے جسم کا ساحل ، خاص طور پر جب ریت بھرا یا کنکری}} | rdfs:subClassOf = NaturalPlace -}}OntologyClass:BeachVolleyballPlayer2006114519022017-02-19T15:51:57Z{{Class +}}OntologyClass:BeachVolleyballPlayer2006114578272022-05-01T17:57:29Z{{Class | labels = {{label|en|beach volleyball player}} {{label|nl|beachvolleybal speler}} @@ -1112,14 +1287,17 @@ {{label|el|παίκτης του beach volley}} {{label|it|giocatore di beach volley}} {{label|ja|ビーチバレー選手}} +{{label|ur|ساحل سمندروالی بال کاکھلاڑی}} + {{label|ko|비치발리볼 선수}} {{label|fr|joueur de volleyball de plage}} | rdfs:subClassOf = VolleyballPlayer |comments = {{comment|el|Ένα άτομο (άνδρας ή γυναίκα) που ασχολείται με το άθλημα του μπίτς βόλλεϋ.}} -}}OntologyClass:BeautyQueen2006179482072015-05-25T15:21:56Z{{Class +}}OntologyClass:BeautyQueen2006179566512022-02-28T09:18:51Z{{Class | labels = {{label|en|beauty queen}} +{{label|fr|reine de beauté}} {{label|ga|spéirbhean}} {{label|nl|schoonheidskoningin}} {{label|de|Schönheitskönigin}} @@ -1127,11 +1305,13 @@ {{label|it|reginetta di bellezza}} {{label|ja|ミス}} {{label|ko|뷰티퀸}} +{{label|ur|ملکہ حسن}} | rdfs:subClassOf = Person | comments = {{comment|en|A beauty pageant titleholder}} +{{comment|ur| خوبصورتی مقابلےکی خطاب یافتہ}} {{comment|el|Τίτλος που αποδίδεται σε μία γυναίκα, τις περισσότερες φορές μετά από διαγωνισμό.}} -}}OntologyClass:Beer2006641521782017-08-27T14:44:22Z{{Class +}}OntologyClass:Beer2006641550492021-09-09T13:58:06Z{{Class |labels= {{label|en|beer}} {{label|ga|beoir}} @@ -1145,9 +1325,10 @@ {{label|ja|ビール}} {{label|ko|맥주}} {{label|pl|piwo}} + {{label|ur|ہلکی شراب}} | rdfs:subClassOf = Beverage | owl:equivalentClass = wikidata:Q44 -}}OntologyClass:Beverage200314521212017-06-19T11:10:14Z{{Class +}}OntologyClass:Beverage200314550512021-09-09T14:01:58Z{{Class | labels = {{label|en|beverage}} {{label|ga|deoch}} @@ -1160,20 +1341,23 @@ {{label|ja|飲料}} {{label|ko|음료}} {{label|nl|drank}} +{{label|ur|مشروب}} | rdfs:subClassOf = Food | comments = {{comment|en|A drink, or beverage, is a liquid which is specifically prepared for human consumption.}} {{comment|de|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.}} {{comment|el| Ένα πόσιμο υγρό ρόφημα, συνήθως με μηδενική ή ελάχιστη περιεκτικότητα αλκοόλης.}} -}}OntologyClass:Biathlete20011159519032017-02-19T15:53:41Z{{Class +{{comment|ur|یک مشروب مائع ہے جو خاص طور پر انسانی استعمال کے لیے تیار کیا جاتا ہے۔}} +}}OntologyClass:Biathlete20011159578342022-05-01T18:33:03Z{{Class | labels = {{label|en|Biathlete}} +{{label|ur|برف پر پھسلنے میں جِسمانی ورزِشوں کا مُقابلہ کا کھلاڑی}} {{label|nl|Biatleet}} {{label|de|Biathlete}} {{label|fr|Biathlète}} {{label|ja|バイアスロン選手}} | rdfs:subClassOf = WinterSportPlayer -}}OntologyClass:BiologicalDatabase2003134376522014-08-26T04:14:44Z{{Class +}}OntologyClass:BiologicalDatabase2003134578362022-05-01T18:40:48Z{{Class | labels = {{label|en|Biological database}} {{label|de|Biologische Datenbank}} @@ -1184,19 +1368,23 @@ {{label|pt|Banco de dados biológico}} {{label|nl|biologische databank}} {{label|ko|생물학 데이터베이스}} +{{label|ur|حیاتیاتی ریکارڈرز_پر_مبنی_ایک_فائل}} | rdfs:subClassOf = Database | comments = {{comment|el|Διάφορες βάσεις δεδομένων οι οποίες περιέχουν πληροφορίες που ταυτοποιούν τα βασικά βιολογικά χαρακτηριστικά των οργανισμών. Οι πληροφορίες αυτές συγκροτούνται σε σύνολα βιβλιοθηκών των βασικών δομών των κυττάρων των οργανισμών, όπως οι βιλβιοθήκες νουκλεϊνικών οξέων (genomics) και πρωτεϊνών (proteomics).}} -}}OntologyClass:Biologist20011117519052017-02-19T15:55:09Z{{Class +}}OntologyClass:Biologist20011117555612021-09-15T08:07:27Z{{Class | labels = {{label|en|biologist}} {{label|de|Biologe}} {{label|nl|bioloog}} +{{label|ur|ماہر حیاتیات}} + + {{label|ja|生物学者}} {{label|fr|biologiste}} | rdfs:subClassOf = Scientist -}}OntologyClass:Biomolecule2005026511332016-05-30T15:09:34Z{{Class +}}OntologyClass:Biomolecule2005026551492021-09-10T09:49:36Z{{Class | labels = {{label|en|Biomolecule}} {{label|nl|Biomolecuul}} @@ -1206,13 +1394,15 @@ {{label|it|biomolecola}} {{label|ja|生体物質}} {{label|ko|생체 분자}} + {{label|ur|حیاتیاتی مرکبات}} | comments = {{comment|en|equivalent to [http://ccdb.ucsd.edu/NIF/BIRNLex-OBO-UBO.owl#birnlex_22].}} {{comment|nl|Een molecuul wat van nature voorkomt in een organisme en gevormd kan worden door organismen.}} {{comment|el|Κάθε μόριο που παράγεται σε έναν ζωντανό οργανισμό. Συνήθως μεγαλομοριακές ενώσεις που χρησιμεύουν στην δομή και στο μεταβολισμό του κυττάρου. Πρωτεΐνες, νουκλεϊνικά οξέα, υδατάνθρακες και λιπίδια.}} + {{comment|ur| ایسے پیچدہ نامیاتی مالیکیولز جو زندگی کی بنیاد ہیں یعنی وہ زندہ اجسام کو تعمیر کرنے ، ان کو نشوونما کرنے اور برقرار رکھنے کے لیے ضروری ہوتے ہیں}} | rdfs:subClassOf = owl:Thing | owl:equivalentClass = wikidata:Q206229 -}}OntologyClass:Bird200315521262017-06-19T11:15:09Z{{Class +}}OntologyClass:Bird200315550612021-09-09T14:23:56Z{{Class | labels = {{label|en|bird}} {{label|ga|éan}} @@ -1225,9 +1415,12 @@ {{label|nl|vogel}} {{label|it|uccello}} {{label|es|pájaro}} -| rdfs:subClassOf = Animal}}OntologyClass:Blazon2006781510702016-05-12T16:43:00Z{{Class +{{label|ur|پرندہ}} +| rdfs:subClassOf = Animal}}OntologyClass:Blazon2006781558182021-09-17T20:25:55Z{{Class | labels = {{label|en|Blazon}} +{{label|ur|آب و تاب}} + {{label|fr|Blason}} {{label|nl|blazoen (wapenschild)}} {{label|el|οικόσημο}} @@ -1235,14 +1428,16 @@ {{label|ja|紋章記述}} | rdfs:subClassOf = owl:Thing -}}OntologyClass:BloodVessel20011521519072017-02-19T16:02:47Z{{Class +}}OntologyClass:BloodVessel20011521553822021-09-11T19:38:46Z{{Class | labels = {{label|en|blood vessel}} {{label|nl|bloedvat}} {{label|fr|vaisseau sanguin}} +{{label|ur|خون کی شریان}} + | rdfs:comment = Blood vessel to be distinguished from Vein | rdfs:subClassOf = AnatomicalStructure -}}OntologyClass:BoardGame2006547521382017-06-27T11:05:35Z{{Class +}}OntologyClass:BoardGame2006547551662021-09-10T16:27:57Z{{Class | labels = {{label|da|brætspil}} {{label|de|Brettspiel}} @@ -1254,21 +1449,25 @@ {{label|ja|ボードゲーム}} {{label|ko|보드 게임}} {{label|es|juego de mesa}} +{{label|ur|بورڈ کھیل}} | rdfs:subClassOf = Game | owl:equivalentClass = wikidata:Q131436 |comments = {{comment|en|come from http://en.wikipedia.org/wiki/Category:Board_games}} {{comment|it|Un gioco da tavolo è un gioco che richiede una ben definita superficie di gioco, che viene detta di solito tabellone o plancia.<ref>https://it.wikipedia.org/wiki/Gioco_da_tavolo</ref>}} +{{comment|ur|ایک بورڈ گیم ایک ایسا کھیل ہے جس کے لیے ایک اچھی طرح سے متعین کردہ سطح کی ضرورت ہوتی ہے ، جسے عام طور پر ایک بورڈ کہا جاتا ہے۔}} }} == References == -<references />OntologyClass:BobsleighAthlete20011134515012016-09-16T19:27:12Z{{Class +<references />OntologyClass:BobsleighAthlete20011134561132021-11-05T11:38:45Z{{Class | labels = {{label|en|BobsleighAthlete}} +{{label|ur|بوبسلیگ کھلاڑی}} + {{label|nl|bobsleeër}} {{label|de|Bobsportler}} | rdfs:subClassOf = WinterSportPlayer -}}OntologyClass:BodyOfWater200316498392015-12-17T19:31:45Z{{Class +}}OntologyClass:BodyOfWater200316553632021-09-11T19:19:19Z{{Class |labels = {{label|en|body of water}} {{label|nl|watervlakte}} @@ -1280,11 +1479,15 @@ {{label|pt|extensão d’água}} {{label|ja|水域}} {{label|ko|수역}} +{{label|ur|اجسامِ آب}} + |comments = {{comment|el|Συγκεντρωμένες, συνήθως μεγάλες ποσότητες νερού (π.χ. ωκεανοί) που βρίσκονται στη Γη ή σε οποιονδήποτε άλλο πλανήτη. Ο όρος χρησιμοποιείται και για υδάτινους σχηματισμούς όπου υπάρχει κίνηση του νερού, όπως ποταμοί, ρεύματα ή κανάλια.}} +{{comment|ur|مرکوز ، عام طور پر پانی کی بڑی مقدار (جیسے سمندر) جو زمین یا کسی دوسرے سیارے پر پائے جاتے ہیں۔ یہ اصطلاح آبی شکلوں کے لیے بھی استعمال ہوتی ہے جہاں پانی کی نقل و حرکت ہوتی ہے ، جیسے دریا ، نہریں یا نہریں}} + | rdfs:subClassOf = NaturalPlace | owl:equivalentClass = schema:BodyOfWater -}}OntologyClass:Bodybuilder2007327519062017-02-19T16:02:12Z{{Class +}}OntologyClass:Bodybuilder2007327551722021-09-10T16:40:25Z{{Class | labels = {{label|en|bodybuilder}} {{label|de|Bodybuilder}} @@ -1292,9 +1495,10 @@ {{label|nl|bodybuilder}} {{label|ko|보디빌더}} {{label|fr|culturiste}} +{{label|ur|تن ساز}} | rdfs:subClassOf = Athlete | owl:equivalentClass = wikidata:Q15982795 -}}OntologyClass:Bone200317480382015-05-25T15:04:47Z{{Class +}}OntologyClass:Bone200317555672021-09-15T08:12:25Z{{Class | labels = {{label|en|bone}} {{label|ga|cnámh}} @@ -1302,6 +1506,8 @@ {{label|el|οστό}} {{label|fr|os}} {{label|it|osso}} +{{label|ur|ہڈی}} + {{label|ja|骨}} {{label|pt|osso}} {{label|nl|bot}} @@ -1311,7 +1517,7 @@ | comments = {{comment|el|Η βασική μονάδα του συστήματος στήριξης των σπονδυλωτών οργανισμών.}} | owl:equivalentClass = wikidata:Q265868 -}}OntologyClass:Book200318520832017-06-19T10:35:00Z{{Class +}}OntologyClass:Book200318568122022-02-28T22:27:26Z{{Class | labels = {{label|en|book}} {{label|bn|বই}} @@ -1327,6 +1533,8 @@ {{label|nl|boek}} {{label|pl|książka}} {{label|ru|книга}} +{{label|ur|کتاب}} + | rdfs:subClassOf = WrittenWork | owl:equivalentClass = schema:Book, bibo:Book, wikidata:Q571 }} @@ -1334,10 +1542,11 @@ {{DatatypeProperty | labels = {{label|en|name}} +{{label|fr|nom}} {{label|ru|название}} | comments = | rdfs:range = xsd:string -}}OntologyClass:BowlingLeague2002165479462015-05-25T14:55:06Z{{Class +}}OntologyClass:BowlingLeague2002165551752021-09-10T16:54:12Z{{Class | labels = {{label|en|bowling league}} {{label|ga|sraith babhlála}} @@ -1349,11 +1558,13 @@ {{label|ja|ボーリングリーグ}} {{label|nl|bowling competitie}} {{label|ko|볼링 리그 }} +{{label|ur|بالنگ_ٹیموں_کی_انجمن}} | rdfs:subClassOf = SportsLeague |comments = {{comment|en|a group of sports teams or players that compete against each other in Bowling}} {{comment|el|Μία διοργάνωση ομάδες ανθρώπων ή μεμονομένα άτομα συναγωνίζονται στο άθλημα του μπόουλινγκ, συνήθως με ένα έπαθλο στους πρωταθλητές.}} -}}OntologyClass:Boxer200319480392015-05-25T15:04:53Z{{Class +{{comment|ur|کھیلوں کی ٹیموں یا کھلاڑیوں کا ایک گروہ جو بولنگ میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں۔}} +}}OntologyClass:Boxer200319558242021-09-17T20:43:43Z{{Class | labels = {{label|it|pugile}} {{label|en|boxer}} @@ -1365,9 +1576,9 @@ {{label|ko|권투 선수}} {{label|ja|ボクサー}} {{label|nl|bokser}} - +{{label|ur|مکے باز}} | rdfs:subClassOf = Athlete -}}OntologyClass:BoxingLeague2002166482232015-05-25T15:23:27Z{{Class +}}OntologyClass:BoxingLeague2002166558682021-09-17T21:58:06Z{{Class | labels = {{label|en|boxing league}} {{label|ga|sraith dornálaíochta}} @@ -1379,11 +1590,14 @@ {{label|it|lega di pugilato}} {{label|nl|box competitie}} {{label|ko|권투 리그}} +{{label|ur|مکے بازی کھیل کی انجمن}} + | rdfs:subClassOf = SportsLeague | comments = {{comment|en|A group of sports teams or fighters that compete against each other in Boxing}} +{{comment|ur|کھیلوں کی ٹیموں یا جنگجوؤں کا ایک گروپ جو مکے بازی میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں۔}} {{comment|el| Μία διοργάνωση στην οποία μεμονωμένοι πυγμάχοι είτε ομάδες πυγμάχων συναγωνίζονται μεταξύ τους με σκοπό την νίκη.}} -}}OntologyClass:Brain200320523282017-10-10T13:32:07Z{{Class +}}OntologyClass:Brain200320578542022-05-02T12:19:10Z{{Class | labels = {{label|en|brain}} {{label|ga|inchinn}} @@ -1396,16 +1610,18 @@ {{label|nl|hersenen}} {{label|ja|脳}} {{label|ko|뇌}} +{{label|ur|دماغ}} | rdfs:subClassOf = AnatomicalStructure | comments = {{comment|el|Το βασικό όργανο του νευρικού συστήματος των ζώων, το οποίο καθορίζει ασυνείδητες και συνειδητές λειτουργίες. Ο όρος χρησιμοποιείται πλέον και για τον χαρακτηρισμό των καθοριστικότερων στοιχείων μίας μηχανής ή ενός συνόλου πραγμάτων.}} -}}OntologyClass:Brewery2008718507782016-04-15T16:40:00Z{{Class +}}OntologyClass:Brewery2008718558272021-09-17T20:51:22Z{{Class | labels = {{label|de|Brauerei}} {{label|es|cervecería}} {{label|en|brewery}} {{label|fr|brasserie}} {{label|el|ζυθοποιία}} +{{label|ur|کَشید گاہ}} {{label|it|birrificio}} {{label|nl|brouwerij}} {{label|ja|ブルワリー}} @@ -1413,7 +1629,7 @@ | comments = {{comment|el| Ζυθοποιία ονομάζεται η βιομηχανία παρασκευής μπύρας. }} | rdfs:subClassOf = Company -}}OntologyClass:Bridge200321521042017-06-19T10:53:49Z{{Class +}}OntologyClass:Bridge200321553692021-09-11T19:24:58Z{{Class | labels = {{label|it|ponte}} {{label|en|bridge}} @@ -1428,11 +1644,14 @@ {{label|bn|সেতু}} {{label|ja|橋}} {{label|nl|brug}} +{{label|ur|پل}} + | rdfs:subClassOf = RouteOfTransportation | comments = {{comment|en|A 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).}} +{{comment|ur|ایک پل ایک ایسا ڈھانچہ ہے جو جسمانی رکاوٹوں جیسے پانی ، وادی یا سڑک کی راہ میں رکاوٹ کو عبور کرنے کے مقصد سے بنایا گیا ہے}} | owl:equivalentClass = wikidata:Q12280 -}}OntologyClass:BritishRoyalty200322468282015-03-21T22:19:25Z{{Class +}}OntologyClass:BritishRoyalty200322551882021-09-10T17:25:22Z{{Class | labels = {{label|it|reali britannici}} {{label|en|British royalty}} @@ -1443,13 +1662,15 @@ {{label|sl|Britanska kraljevska oseba}} {{label|ja|イギリス王室}} {{label|ko|영국 왕족 }} +{{label|ur|برطانوی بادشاہی}} | rdfs:subClassOf = Royalty -}}OntologyClass:BroadcastNetwork2003014467392015-03-21T16:22:53Z{{Class +}}OntologyClass:BroadcastNetwork2003014558292021-09-17T20:57:12Z{{Class | labels = {{label|en|broadcast network}} {{label|el|δίκτυο ραδιοφωνικής μετάδοσης}} {{label|de|Sendergruppe}} {{label|fr|chaîne de télévision généraliste}} +{{label|ur|نشریاتی جال}} {{label|ga|líonra craolacháin}} {{label|ja|ネットワーク_(放送)}} {{label|nl|omroeporganisatie}} @@ -1459,9 +1680,11 @@ | rdfs:subClassOf = Broadcaster | comments = {{comment|en|A 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)}} +{{comment|ur|نشریاتی جال ایک تنظیم ہے ، جیسے کارپوریشن یا دیگر ایسوسی ایشن ، جو ریڈیو یا ٹیلی ویژن اسٹیشنوں کے گروپ پر نشر کرنے کے لیے لائیو یا ریکارڈ شدہ مواد ، جیسے فلمیں ، نیوز کاسٹ ، کھیل اور عوامی امور کے پروگرام مہیا کرتی ہے۔ +}} {{comment|el|Ένα δίκτυο μετάδοσης είναι μια οργάνωση, όπως μια εταιρεία ή άλλη ένωση, που παρέχει ζωντανό ή μαγνητοσκοπημένο περιεχόμενο, όπως ταινίες, δελτία ειδήσεων, αθλητικά, και τα προγράμματα δημοσίων υποθέσεων για την εκπομπή πάνω από μια ομάδα ραδιοφωνικών ή τηλεοπτικών σταθμών}} | owl:equivalentClass = wikidata:Q141683 -}}OntologyClass:Broadcaster2003013535402019-06-28T18:16:22Z{{Class +}}OntologyClass:Broadcaster2003013570222022-03-09T13:17:20Z{{Class | labels = {{label|ar|الشبكة}} {{label|en|broadcaster}} @@ -1473,26 +1696,33 @@ {{label|ja|放送事業者}} {{label|ko|방송}} {{label|it|emittente}} +{{label|ur|ناشَر}} | rdfs:subClassOf = Organisation | comments = -{{comment|en|A 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)}} -{{comment|el|Ο ραδιοτηλεοπτικός φορέας είναι ένας οργανισμός που είναι υπεύθυνος για την παραγωγή ραδιοφωνικών ή τηλεοπτικών προγραμμάτων και / ή τη διαβίβασή τους}} -{{comment|de|Ein Rundfunkveranstalter (oder auch Sendeunternehmen) betreibt Hörfunk- oder Fernsehprogramme. (http://de.wikipedia.org/wiki/Rundfunkveranstalter - 28/03/2011)}} + {{comment|en|A 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)}} + {{comment|fr|Un radiodiffuseur est une organisation responsable de la production de programmes de radio ou de télévision et/ou de leur transmission. (http://en.wikipedia.org/wiki/Broadcaster - 28/03/2011)}} + {{comment|ur|براڈکاسٹر ایک ایسی تنظیم ہے جو ریڈیو یا ٹیلی ویژن پروگراموں کی پیداوار اور/یا ان کی ترسیل کے لیے ذمہ دار ہے}} + {{comment|el|Ο ραδιοτηλεοπτικός φορέας είναι ένας οργανισμός που είναι υπεύθυνος για την παραγωγή ραδιοφωνικών ή τηλεοπτικών προγραμμάτων και / ή τη διαβίβασή τους}} + {{comment|de|Ein Rundfunkveranstalter (oder auch Sendeunternehmen) betreibt Hörfunk- oder Fernsehprogramme. (http://de.wikipedia.org/wiki/Rundfunkveranstalter - 28/03/2011)}} | owl:equivalentClass = wikidata:Q15265344 -}}OntologyClass:BrownDwarf2009179463952015-03-18T18:16:42Z{{Class +}}OntologyClass:BrownDwarf2009179552062021-09-10T18:03:26Z{{Class | labels = {{label|de|Brauner Zwerg}} {{label|en|brown dwarf}} {{label|nl|bruine dwerg}} +{{label|ur|بھورا بونا}} | rdfs:subClassOf = Star | owl:equivalentClass = wikidata:Q101600 -}}OntologyClass:Browser20012208535572019-09-01T08:09:39Z{{Class +}}OntologyClass:Browser20012208566672022-02-28T09:48:32Z{{Class | labels = {{label|en|Browser}} {{label|de|Browser}} +{{label|fr|Navigateur}} +{{label|ur|ٹٹولنے والا}} + {{label|nl|Browser (bladerprogramma)}} {{label|ru|Браузер}} -}}OntologyClass:Building200324521252017-06-19T11:13:43Z{{Class +}}OntologyClass:Building200324553412021-09-11T18:31:57Z{{Class | labels = {{label|en|building}} {{label|ga|foirgneamh}} @@ -1506,14 +1736,16 @@ {{label|ja|建築物}} {{label|it|edificio}} {{label|ko|건축물}} +{{label|ur|عمارت}} | comments = {{comment|en|Building 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).}} {{comment|de|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).}} +{{comment|ur|عمارت کو سول انجینئرنگ ڈھانچے سے تعبیر کیا جاتا ہے جیسے مکان ، عبادت گاہ ، فیکٹری وغیرہ جس کی بنیاد ، دیوار ، چھت وغیرہ ہوتی ہے جو انسان اور ان کی خصوصیات کو موسم کے براہ راست سخت اثرات جیسے بارش ، ہوا ، سورج وغیرہ سے محفوظ رکھتی ہے۔ }} | rdfs:subClassOf = ArchitecturalStructure | owl:disjointWith = Person | specificProperties = {{SpecificProperty | ontologyProperty = floorArea | unit = squareMetre }} | owl:equivalentClass = wikidata:Q41176 -}}OntologyClass:BullFighter2004727483482015-05-25T16:38:07Z{{Class +}}OntologyClass:BullFighter2004727551922021-09-10T17:31:01Z{{Class | labels = {{label|it|torero}} {{label|en|bullfighter}} @@ -1526,30 +1758,38 @@ {{label|ko|투우사}} {{label|ga|tarbhchomhraiceoir}} {{label|pl|toreador}} + {{label|ur|بیل کا مُقابلہ کرنے والا}} | rdfs:subClassOf = Athlete -}}OntologyClass:BusCompany2007966522602017-10-08T10:20:00Z{{Class +}}OntologyClass:BusCompany2007966587502022-05-16T19:08:05Z{{Class | labels = {{label|en|bus company}} {{label|ga|comhlacht bus}} {{label|es|compañía de autobuses}} {{label|fr|compagnie d'autobus}} +{{label|ur|بس كا تِجارتی اِدارہ}} + {{label|nl|busmaatschappij}} {{label|el|εταιρία λεωφορείων}} {{label|de|Busunternehmen}} | rdfs:subClassOf = PublicTransitSystem -}}OntologyClass:BusinessPerson2008197479572015-05-25T14:56:12Z{{Class +}}OntologyClass:BusinessPerson2008197567052022-02-28T13:20:22Z{{Class | labels = {{label|en|businessperson}} +{{label|fr|homme d'affaires}} {{label|ga|duine den lucht gnó}} {{label|de|Unternehmer}} {{label|el|επιχειρηματίας}} {{label|it|imprenditore}} {{label|nl|ondernemer}} +{{label|ur|کاروباری شخص}} | comments = +{{comment|en|The term entrepreneur mainly means someone who holds a senior position, such as an executive.}} {{comment|el|Με τον όρο επιχειρηματίας νοείται κυρίως κάποιος που κατέχει μία ανώτερη θέση, όπως ένα στέλεχος.}} +{{comment|fr|Le terme entrepreneur désigne principalement une personne qui occupe un poste supérieur, tel qu'un cadre.}} +{{comment|ur|اصطلاح کاروباری کا بنیادی طور پر مطلب وہ شخص ہے جو اعلی عہدے پر فائز ہو ، جیسے ایگزیکٹو۔}} | rdfs:subClassOf = Person -}}OntologyClass:Camera2006550482252015-05-25T15:23:37Z{{Class +}}OntologyClass:Camera2006550551952021-09-10T17:37:32Z{{Class | labels = {{label|en|camera}} {{label|ga|ceamara}} @@ -1560,19 +1800,23 @@ {{label|nl|camera}} {{label|ja|カメラ}} {{label|ko|카메라}} + {{label|ur|تصویر کھینچنے کا آلہ}} | rdfs:subClassOf = Device |comments = {{comment|it|Una 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.<ref>http://it.wikipedia.org/wiki/Fotocamera</ref>}} {{comment|el|Φωτογραφική μηχανή ονομάζεται η συσκευή που χρησιμοποιείται για τη λήψη φωτογραφιών.Οι ευρύτερα χρησιμοποιούμενες σήμερα φωτογραφικές μηχανές, ερασιτεχνικής ή επαγγελματικής χρήσης, διακρίνονται σε δύο βασικές κατηγορίες: τις συμπαγείς και στις μονοοπτικές ρεφλέξ. Διακρινόμενες, ανάλογα με την τεχνολογία τους,είναι οι κλασικές φωτογραφικές μηχανές με φιλμ και οι ψηφιακές φωτογραφικές μηχανές.}} +{{comment|ur|ایک کیمرہ (اطالوی میں روایتی طور پر کیمرے کے نام سے جانا جاتا ہے) ایک ایسا آلہ ہے جو فوٹو گرافی کی شوٹنگ اور حقیقی اشیاء کی تصاویر حاصل کرنے کے لیے استعمال کیا جاتا ہے جو کاغذ پر چھپ سکتی ہیں یا الیکٹرانک میڈیا پر محفوظ کی جا سکتی ہیں۔}} }} == References == -<references />OntologyClass:CanadianFootballLeague2002282520362017-04-23T16:59:33Z{{Class +<references />OntologyClass:CanadianFootballLeague2002282555772021-09-15T08:24:43Z{{Class | labels = {{label|it|lega di football canadese}} {{label|en|canadian football league}} {{label|de|Kanadische Footballliga}} {{label|en|liga de fútbol canadiense}} +{{label|ur| +کینیڈین فٹ بال لیگ}} {{label|el|καναδική ένωση ποδοσφαίρου}} {{label|fr|ligue de football canadien}} {{label|ja|カナディアン・フットボール・リーグ}} @@ -1580,21 +1824,20 @@ {{label|ko|캐나다 풋볼 리그}} | comments = {{comment|en|A group of sports teams that compete against each other in canadian football league.}} +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروپ جو کینیڈین فٹ بال لیگ میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں۔.}} {{comment|el|ένα σύνολο αθλητικών ομάδων που ανταγωνίζονται μεταξύ τους στην Καναδική ένωση ποδοσφαίρου }} | rdfs:subClassOf = SportsLeague -}}OntologyClass:CanadianFootballPlayer2002285467132015-03-21T14:10:34Z{{Class +}}OntologyClass:CanadianFootballPlayer2002285583982022-05-14T14:12:43Z{{Class | labels = {{label|en|canadian football Player}} -{{label|it|giocatore di football canadese}} -{{label|nl|Canadese football speler}} -{{label|de|kanadischer Footballspieler}} -{{label|el|καναδός παίκτης ποδοσφαίρου}} -{{label|fr|joueur de football canadien}} -{{label|pt|jogador de futebol canadense}} -{{label|ko|캐나다 축구 선수}} +{{label|ur|کینیڈین فٹ بال کھلاڑی}} + + | rdfs:subClassOf = GridironFootballPlayer -}}OntologyClass:CanadianFootballTeam2002291467812015-03-21T19:55:51Z{{Class + + +}}OntologyClass:CanadianFootballTeam2002291584262022-05-14T16:06:27Z{{Class | labels = {{label|it|squadra di football canadese}} {{label|en|canadian football Team}} @@ -1603,8 +1846,9 @@ {{label|el|καναδέζικη ομάδα ποδοσφαίρου}} {{label|fr|équipe canadienne de football américain}} {{label|ko|캐나다 축구 팀}} +{{label|ur|کینیڈین فٹ بال جماعت}} | rdfs:subClassOf = SportsTeam -}}OntologyClass:Canal200325498492015-12-17T20:24:03Z{{Class +}}OntologyClass:Canal200325555792021-09-15T08:25:58Z{{Class | labels = {{label|it|canale}} {{label|en|canal}} @@ -1614,6 +1858,8 @@ {{label|de|Kanal}} {{label|pt|canal}} {{label|ja|運河}} +{{label|ur| +نہر}} {{label|nl|kanaal}} {{label|ko|운하}} | comments = @@ -1625,7 +1871,7 @@ {{SpecificProperty | ontologyProperty = originalMaximumBoatLength | unit = metre }} {{SpecificProperty | ontologyProperty = maximumBoatBeam | unit = metre }} {{SpecificProperty | ontologyProperty = maximumBoatLength | unit = metre }} -}}OntologyClass:Canoeist2008272507792016-04-15T16:48:00Z{{Class +}}OntologyClass:Canoeist2008272574872022-04-24T10:28:36Z{{Class | labels = {{label|en|canoeist}} {{label|ga|canúálaí}} @@ -1633,26 +1879,30 @@ {{label|it|canoista}} {{label|nl|kanovaarder}} {{label|ja|カヌー選手}} +{{label|ur| کشتی بنانے والا }} | rdfs:subClassOf = Athlete -}}OntologyClass:Canton20011551507802016-04-15T16:51:13Z{{Class +}}OntologyClass:Canton20011551552222021-09-10T18:37:15Z{{Class | labels = {{label|en|canton}} {{label|de|Kanton}} {{label|fr|canton}} {{label|nl|kanton}} {{label|ja|スイス連邦の州またはフランスの群}} +{{label|ur|ضِلَع}} | comments = {{comment|en|An administrative (France) or lawcourts (Netherlands) body governing a territorial unity on the municipal level or somewhat above}} {{comment|de|Das Wort Kanton dient zur Bezeichnung verschiedener (niederen) Verwaltungsbezirke in Frankreich, Belgien, Kanada und anderen Ländern}} +{{comment|ur|ایک انتظامی (فرانس) یا قانون کی عدالت (نیدرلینڈز) کا ادارہ جو علاقائی وحدت کا انتظام کرتا ہے بلدیاتی سطح پر یا اس سے کچھ اوپر}} | rdfs:subClassOf = GovernmentalAdministrativeRegion | owl:equivalentClass = -}}OntologyClass:Cape20011730519122017-02-19T16:13:19Z{{Class +}}OntologyClass:Cape20011730584602022-05-14T17:45:45Z{{Class | labels = {{label|en|cape}} {{label|fr|cap}} +{{label|ur|خشکی کا وہ حصہ جو سمندر کے اندر تک چلا گیا ہو}} | rdfs:label@nl = kaap | rdfs:subClassOf = NaturalPlace -}}OntologyClass:Capital2009434507602016-04-15T12:23:09Z{{Class +}}OntologyClass:Capital2009434574892022-04-24T10:34:49Z{{Class | labels = {{label|en|Capital}} {{label|el|Κεφάλαιο}} {{label|fr|Capitale}} @@ -1660,17 +1910,22 @@ {{label|nl|hoofdstad}} {{label|de|Hauptstadt}} {{label|ja|首都}} +{{label|ur| دارالحکومت}} | comments = {{comment|en|A municipality enjoying primary status in a state, country, province, or other region as its seat of government.}} + +{{comment|ur|ایک بلدیہ جو کسی ریاست، ملک، صوبے، یا دوسرے علاقے میں اپنی حکومت کی نشست کے طور پر بنیادی حیثیت سے لطف اندوز ہوتی ہے۔ }} | rdfs:subClassOf = City -}}OntologyClass:CapitalOfRegion2009441518662017-01-21T14:12:52Z{{Class +}}OntologyClass:CapitalOfRegion2009441552292021-09-10T18:49:19Z{{Class | labels = {{label|en|Capital of region}} {{label|fr|Capitale régionale}} {{label|de|Hauptstadt der Region}} {{label|nl|hoofdstad van regio}} +{{label|ur|علاقے کا دارالحکومت}} | comments = {{comment|en|seat of a first order administration division.}} +{{comment|ur|فرسٹ آرڈر ایڈمنسٹریشن ڈویژن کی نشست۔}} | rdfs:subClassOf = City -}}OntologyClass:CardGame20010383521372017-06-19T11:25:28Z{{Class +}}OntologyClass:CardGame20010383555872021-09-15T08:31:37Z{{Class | labels = {{label|en|card game}} {{label|nl|kaartspel}} @@ -1678,6 +1933,8 @@ {{label|de|Kartenspiel}} {{label|es|juego de cartas}} {{label|fr|jeu de cartes}} +{{label|ur|تاش}} + |comments = {{comment|en|come from http://en.wikipedia.org/wiki/Category:Card_games}} | rdfs:subClassOf = Game @@ -1686,7 +1943,7 @@ == References == -<references />OntologyClass:Cardinal200326507612016-04-15T12:26:29Z{{Class +<references />OntologyClass:Cardinal200326574952022-04-24T10:42:48Z{{Class | labels = {{label|it|cardinale}} {{label|en|cardinal}} @@ -1698,40 +1955,43 @@ {{label|nl|kardinaal}} {{label|ko|카디널}} {{label|ja|枢機卿}} +{{label|ur| افضل}} | rdfs:subClassOf = Cleric -}}OntologyClass:CardinalDirection20010300519392017-02-20T19:37:39Z{{Class +}}OntologyClass:CardinalDirection20010300552622021-09-10T21:09:35Z{{Class |labels = {{label|en|Cardinal direction}} {{label|nl|windrichting}} {{label|de|Windrichtung}} {{label|fr|direction cardinale}} + {{label|ur|ہوا کی سمت}} | comments = {{comment|en|One of the four main directions on a compass or any other system to determine a geographical position}} {{comment|fr|Une des 4 principales directions d'un compas ou de tout autre système pour déterminer une position geographique}} +{{comment|ur|جغرافیائی پوزیشن کا تعین کرنے کے لیے کمپاس یا کسی دوسرے نظام پر چار اہم سمتوں میں سے ایک}} | rdfs:subClassOf = TopicalConcept -}}OntologyClass:CareerStation2006505478522015-05-06T09:56:46Z{{Class +}}OntologyClass:CareerStation20013875576542022-04-25T09:00:45Z{{Class | labels = - {{label|en|career station}} - {{label|de|Karrierestation}} - {{label|nl|Carrierestap}} + {{label|en|career station}} + + {{label|de|Karrierestation}} + + {{label|nl|Carrierestap}} + + {{label|ur|پیشہ تعینات}} | comments = - {{comment|en|this 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}} -| rdfs:subClassOf = TimePeriod -}}OntologyClass:Cartoon2005812480462015-05-25T15:05:39Z{{Class + {{comment|en|this 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}} + {{comment|ur|یہ کلاس کسی شخص کی زندگی میں کیریئر کا مرحلہ ہے ، جیسے ایک فٹ بال کھلاڑی ، جس نے کسی مخصوص کلب میں حاصل کردہ ٹائم اسپین ، میچز اور اہداف کے بارے میں معلومات رکھتے ہیں۔}} +| rdfs:subClassOf = TimePeriod +}}OntologyClass:Cartoon2005812575002022-04-24T10:51:36Z{{Class | labels = {{label|en|cartoon}} -{{label|ga|cartún}} -{{label|de|Karikatur}} -{{label|el|σατυρικό σκίτσο}} -{{label|it|cartone animato}} {{label|fr|dessin animé}} -{{label|ja|カートゥーン}} -{{label|nl|spotprent}} -{{label|ko|카툰 (만화) }} -| rdfs:subClassOf = Work +{{label|ur|کارٹون}} + +| rdfs:subClassOf = work | owl:equivalentClass = wikidata:Q627603 -}}OntologyClass:Case2006467480472015-05-25T15:05:54Z{{Class +}}OntologyClass:Case2006467553102021-09-11T17:19:15Z{{Class | labels = {{label|en|case}} {{label|ga|cás}} @@ -1740,11 +2000,13 @@ {{label|fr|dossier}} {{label|nl|zaak}} {{label|ko|케이스}} +{{label|ur|معاملہ}} | comments = {{comment|en|A 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.}} {{comment|de|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.}} +{{comment|ur|ایک کیس انتظامی یا کاروباری فیصلے کی تیاری کے لیے کیے گئے کام کی کل ہے۔ ایک اصول کے طور پر ، ایک کیس دستاویزات کے ایک سیٹ میں ظاہر ہوتا ہے۔}} | rdfs:subClassOf = UnitOfWork -}}OntologyClass:Casino2007451504222016-03-04T06:43:41Z{{Class +}}OntologyClass:Casino2007451576592022-04-25T09:17:44Z{{Class | labels = {{label|en|casino}} {{label|es|casino}} @@ -1752,16 +2014,19 @@ {{label|el|καζίνο}} {{label|it|casinò}} {{label|fr|casino}} +{{label|ur|رقص گاہ}} {{label|nl|casino}} {{label|ko|카지노}} {{label|ja|カジノ}} | rdfs:subClassOf = Building | comments = {{comment|en|In modern English, a casino is a facility which houses and accommodates certain types of gambling activities.}} +{{comment|ur|جدید انگریزی میں ، جوئے بازی کی اڈہ ایک ایسی سہولت ہے جس میں جوئے کی سرگرمیوں کی مخصوص اقسام ہوتی ہیں۔ +.}} {{comment|el|To καζίνο είναι ένας χώρος στον οποίο μπορούμε να παίξουμε τυχερά παιχνίδια ποντάροντας χρήματα.}} {{comment|fr|Un casino est un lieu proposant des jeux d'argent et de hasard ou jeux de casino.}} | owl:equivalentClass = wikidata:Q133215 -}}OntologyClass:Castle2006238504202016-03-04T06:43:05Z{{Class +}}OntologyClass:Castle2006238575042022-04-24T10:59:51Z{{Class | labels = {{label|en|castle}} {{label|ga|caisleán}} {{label|el|κάστρο}} @@ -1771,10 +2036,13 @@ {{label|nl|kasteel}} {{label|ko|성 (건축) }} {{label|ja|城}} +{{label|ur|قلعہ}} | comments = {{comment|en|Castles often are, but need not be a military structure. They can serve for status, pleasure and hunt as well.}} + + {{comment|ur|قلعے اکثر ہوتے ہیں، لیکن فوجی ڈھانچہ ہونے کی ضرورت نہیں ہے۔ وہ حیثیت، خوشی اور شکار کے لیے بھی خدمت کر سکتے ہیں۔}} | rdfs:subClassOf = Building | owl:equivalentClass = wikidata:Q23413 -}}OntologyClass:Cat20011431520792017-06-19T10:30:39Z{{Class +}}OntologyClass:Cat20011431553152021-09-11T17:27:29Z{{Class | labels = {{label|en|cat}} {{label|fr|chat}} @@ -1782,18 +2050,21 @@ {{label|de|Katze}} {{label|nl|kat}} {{label|ja|猫}} +{{label|ur|بلی}} | rdfs:subClassOf = Mammal | owl:disjointWith = <!--Dog--> <!-- due to a bug cannot declare 2-way disjointness, this is declared in class Dog and transitively applies to cat--> | owl:equivalentClass = wikidata:Q146 -}}OntologyClass:Caterer20011141519412017-02-20T19:40:55Z{{Class +}}OntologyClass:Caterer20011141576612022-04-25T09:22:41Z{{Class | labels = {{label|en|Caterer}} {{label|nl|party service bedrijf}} {{label|de|Partyservice}} +{{label|ur|کھانا دینے والا}} + {{label|fr|traiteur}} {{label|ja|仕出し業者}} | rdfs:subClassOf = Company -}}OntologyClass:Cave200327498512015-12-17T20:25:54Z{{Class +}}OntologyClass:Cave200327575122022-04-24T11:13:22Z{{Class | labels = {{label|en|cave}} {{label|ga|pluais}} @@ -1804,10 +2075,11 @@ {{label|it|grotta}} {{label|ko|동굴}} {{label|pt|caverna}} +{{label|ur|غار}} | rdfs:label@nl = grot | rdfs:subClassOf = NaturalPlace | owl:equivalentClass = wikidata:Q35509 -}}OntologyClass:CelestialBody2004733486172015-08-06T12:36:12Z{{Class +}}OntologyClass:CelestialBody2004733579212022-05-05T12:00:46Z{{Class | labels = {{label|en|celestial body}} {{label|ga|rinn neimhe}} @@ -1819,8 +2091,9 @@ {{label|ja|天体}} {{label|ko|천체}} {{label|it|corpo celeste}} +{{label|ur|جرم فلکی}} | rdfs:subClassOf = Place -}}OntologyClass:Cemetery2008093507632016-04-15T12:33:14Z{{Class +}}OntologyClass:Cemetery2008093555972021-09-15T08:52:02Z{{Class | labels = {{label|en|cemetery}} {{label|ga|reilig}} @@ -1828,11 +2101,14 @@ {{label|el|νεκροταφείο}} {{label|fr|cimetière}} {{label|es|cementerio}} +{{label|ur|قبرستان}} + {{label|nl|begraafplaats}} {{label|ja|墓地}} | comments = {{comment|en|A burial place}} +{{comment|ur|ایک تدفین کی جگہ}} {{comment|el|Νεκροταφείο (ή Κοιμητήριο) ονομάζεται ο χώρος ο προορισμένος για την ταφή των νεκρών.}} {{comment|fr|Un cimetière est un groupement de sépultures monumentales.<ref>https://fr.wikipedia.org/wiki/Cimetière</ref>}} @@ -1842,7 +2118,7 @@ == References == -<references/>OntologyClass:Chancellor200329507642016-04-15T12:34:15Z{{Class +<references/>OntologyClass:Chancellor200329575152022-04-24T11:25:24Z{{Class | labels = {{label|en|chancellor}} {{label|ga|seansailéir}} @@ -1855,15 +2131,17 @@ {{label|ko|재상}} {{label|it|cancelliere}} {{label|ja|宰相}} +{{label|ur|مشیر}} | rdfs:subClassOf = Politician | owl:equivalentClass = wikidata:Q373085 -}}OntologyClass:ChartsPlacements2009173319172014-02-14T18:43:05Z{{Class +}}OntologyClass:ChartsPlacements2009173553192021-09-11T17:39:38Z{{Class | labels = {{label|en|Place in the Music Charts}} {{label|de| Chartplatzierungen}} {{label|nl|plaats op de muziek hitlijst}} -}}OntologyClass:Cheese2006737521102017-06-19T11:02:08Z{{Class +{{label|ur|موسیقی چارٹس میں جگہ}} +}}OntologyClass:Cheese2006737555992021-09-15T08:55:21Z{{Class | labels = {{label|en|cheese}} {{label|ga|cáis}} @@ -1873,14 +2151,18 @@ {{label|fr|fromage}} {{label|it|formaggio}} {{label|nl|kaas}} +{{label|ur|پنیر}} + {{label|es|queso}} {{label|ko|치즈}} {{label|ja|チーズ}} | rdfs:subClassOf = Food | comments = {{comment|en|A milk product prepared for human consumption}} +{{comment|ur|ایک دودھ کی مصنوعات جو انسانی استعمال کے لیے تیار کی جاتی ہے۔ +}} {{comment|es|Producto lácteo preparado para el consumo humano}} -}}OntologyClass:Chef2006217521362017-06-19T11:24:25Z{{Class +}}OntologyClass:Chef2006217575192022-04-24T11:33:19Z{{Class | labels = {{label|da|kok}} {{label|de|Koch}} @@ -1894,12 +2176,15 @@ {{label|pl|szef kuchni}} {{label|ko|요리사}} {{label|ja|料理人}} +{{label|ur|باورچی}} | comments = {{comment|en|a person who cooks professionally for other people}} {{comment|es|una persona que cocina profesionalmente para otras}} +{{comment|ur|وہ شخص جو پیشہ ورانہ طور پر دوسرے لوگوں کے لیے کھانا پکاتا ہے۔}} + | rdfs:subClassOf = Person -}}OntologyClass:ChemicalCompound200330480532015-05-25T15:06:23Z{{Class +}}OntologyClass:ChemicalCompound200330553212021-09-11T17:43:13Z{{Class | labels = {{label|it|composto chimico}} {{label|en|chemical compound}} @@ -1911,20 +2196,22 @@ {{label|ja|化合物}} {{label|nl|chemisch component}} {{label|ko|화합물}} +{{label|ur|کیمیائی مرکب}} | rdfs:subClassOf = ChemicalSubstance | owl:equivalentClass = wikidata:Q11173 -}}OntologyClass:ChemicalElement2004230376882014-08-28T02:03:22Z{{Class +}}OntologyClass:ChemicalElement2004230576662022-04-25T10:42:35Z{{Class | labels = {{label|en|chemical element}} {{label|de|chemisches Element}} {{label|fr|élément chimique}} {{label|el|χημικό στοιχείο}} +{{label|ur|کیمیائی عنصر}} {{label|ja|元素}} {{label|it|elemento chimico}} {{label|nl|chemisch element}} {{label|ko|원소}} | rdfs:subClassOf = ChemicalSubstance -}}OntologyClass:ChemicalSubstance2004229480542015-05-25T15:06:38Z{{Class +}}OntologyClass:ChemicalSubstance2004229549712021-09-09T11:10:37Z{{Class | labels = {{label|en|chemical substance}} {{label|ga|ceimiceán}} @@ -1934,13 +2221,14 @@ {{label|ja|化学物質}} {{label|it|sostanza chimica}} {{label|nl|chemische substantie}} +{{label|ur|کیمیائی مادہ}} {{label|pt|substância química}} {{label|ko| 화학 물질 }} | specificProperties = {{SpecificProperty | ontologyProperty = density | unit = kilogramPerCubicMetre }} {{SpecificProperty | ontologyProperty = meltingPoint | unit = kelvin }} {{SpecificProperty | ontologyProperty = boilingPoint | unit = kelvin }} | owl:equivalentClass = dul:ChemicalObject -}}OntologyClass:ChessPlayer2004314511242016-05-26T11:56:00Z{{Class +}}OntologyClass:ChessPlayer2004314553232021-09-11T17:47:59Z{{Class | labels = {{label|en|chess player}} {{label|ga|imreoir fichille}} @@ -1952,8 +2240,16 @@ {{label|nl|schaker}} {{label|ko| 체스 선수}} {{label|ja|チェスプレーヤー}} +{{label|ur|شطرنج کا کھلاڑی}} | rdfs:subClassOf = Athlete -}}OntologyClass:ChristianBishop200331480562015-05-25T15:06:48Z{{Class +}}OntologyClass:Chief20014259590822022-10-09T19:18:10Z{{Class +| labels = + {{label|en|Chief}} + {{label|fr|Chef}} +| rdfs:subClassOf = Person +| rdfs:subClassOf = Politician +| owl:equivalentClass = wikidata:Q1259323 +}}OntologyClass:ChristianBishop200331578912022-05-05T10:33:38Z{{Class | labels = {{label|en|Christian Bishop}} {{label|ga|Easpag Críostaí}} @@ -1964,8 +2260,9 @@ {{label|pl|biskup chrześcijański}} {{label|it|vescovo cristiano}} {{label|ko| 기독교 주교 }} +{{label|ur| عیسائی پادري}} | rdfs:subClassOf = Cleric -}}OntologyClass:ChristianDoctrine2006160510772016-05-14T15:08:53Z{{Class +}}OntologyClass:ChristianDoctrine2006160575212022-04-24T11:41:50Z{{Class | labels = {{label|en|Christian Doctrine}} {{label|de|Christliche Lehre}} @@ -1973,10 +2270,12 @@ {{label|fr|doctrine chrétienne}} {{label|it|dottrina cristiana}} {{label|nl|Christelijke leer}} +{{label|ur|عیسائی نظریہ}} {{label|ko|기독교 교리 }} | comments = {{comment|en|Tenets of the Christian faith, e.g. Trinity, Nicene Creed}} +{{comment|ur|عیسائی عقیدے کے اصول، جیسے تثلیث، نیکین عقیدہ}} | rdfs:subClassOf = TheologicalConcept -}}OntologyClass:ChristianPatriarch2005641511342016-05-31T12:52:27Z{{Class +}}OntologyClass:ChristianPatriarch2005641576082022-04-24T17:33:45Z{{Class | labels = {{label|en|Christian Patriarch}} {{label|de|christlicher Patriarch}} @@ -1986,8 +2285,9 @@ {{label|it|patriarca cristiano}} {{label|nl|christelijk patriarch}} {{label|ko|기독교 총대주교}} +{{label|ur|عیسائی پادری}} | rdfs:subClassOf = Cleric -}}OntologyClass:Church2004810521232017-06-19T11:12:29Z{{Class +}}OntologyClass:Church2004810576712022-04-25T10:55:01Z{{Class | labels = {{label|en|church}} @@ -1996,6 +2296,8 @@ {{label|es|iglesia}} {{label|el|εκκλησία}} {{label|da|kirke}} +{{label|ur|گرجا}} + {{label|de|Kirche}} {{label|it|chiesa}} {{label|pt|igreja}} @@ -2007,30 +2309,36 @@ | owl:equivalentClass = wikidata:Q16970 | comments = {{comment|en|This is used for church buildings, not any other meaning of church.}} + +{{comment|ur|یہ چرچ کی عمارتوں کے لیے استعمال ہوتا ہے ، چرچ کا کوئی دوسرا مطلب نہیں۔}} }}OntologyClass:CidocCrm:E4 Period2006767479232015-05-25T14:38:10Z{{Class |rdfs:label@en = E4 Period |rdfs:label@nl = E4 Periode |rdfs:label@ga = An Tréimhse E4 -}}OntologyClass:Cinema20011982526682017-11-18T08:56:26Z{{Class +}}OntologyClass:Cinema20011982553312021-09-11T18:16:16Z{{Class | labels = {{label|en|cinema (movie theater)}} {{label|nl|bioscoop}} {{label|fr|cinéma}} {{label|el|κινηματογράφος}} {{label|de|Theater}} +{{label|ur|سنیما}} | rdfs:subClassOf = Venue | comments = {{comment|en|A building for viewing films.}} +{{comment|ur|فلم دیکھنے کے لیے ایک عمارت۔}} | owl:equivalentClass = wikidata:Q41253 -}}OntologyClass:Cipher20012194535482019-07-31T15:22:00Z{{Class +}}OntologyClass:Cipher20012194576792022-04-25T11:11:29Z{{Class | labels = {{label|en|Cipher}} {{label|nl|Geheimschrift}} +{{label|ur|خفیہ_پیغام}} + {{label|ru|Шифр}} | rdfs:subClassOf = | owl:equivalentClass = -}}OntologyClass:City200332521082017-06-19T10:58:54Z{{Class +}}OntologyClass:City200332552392021-09-10T19:02:44Z{{Class | labels = {{label|it|città}} {{label|da|by}} @@ -2047,23 +2355,27 @@ {{label|es|ciudad}} {{label|pl|miasto}} {{label|hi|शहर}} +{{label|ur|شہر}} | comments = {{comment|en|a relatively large and permanent settlement, particularly a large urban settlement}} {{comment|es|un asentamiento permanente y relativamente grande, especialmente un gran asentamiento urbano}} {{comment|gl|Actualmente considérase como unha entidade urbana con alta densidade de poboación na que predominan fundamentalmente a industria e os servizos.}} +{{comment|ur|ایک نسبتا بڑی اور مستقل آبادی ، خاص طور پر ایک بڑی شہری بستی}} | rdfs:subClassOf = Settlement | owl:equivalentClass = schema:City, wikidata:Q515 -}}OntologyClass:CityDistrict2006490470382015-03-23T09:29:00Z{{Class +}}OntologyClass:CityDistrict2006490553452021-09-11T18:40:38Z{{Class | labels = {{label|de|Stadtviertel}} {{label|en|city district}} {{label|fr|quartier}} {{label|nl|stadswijk}} +{{label|ur|شہر کا ضلع}} | comments = {{comment|en|District, borough, area or neighbourhood in a city or town}} +{{comment|ur|کسی شہر یا قصبے میں ضلع کا علاقہ یا محلہ۔}} | rdfs:subClassOf = Settlement | owl:equivalentClass = -}}OntologyClass:ClassicalMusicArtist2007994511632016-06-06T12:46:57Z{{Class +}}OntologyClass:ClassicalMusicArtist2007994549302021-09-09T08:03:18Z{{Class | labels = {{label|en|classical music artist}} {{label|ga|ceoltóir clasaiceach}} @@ -2071,10 +2383,12 @@ {{label|el|καλλιτέχνης κλασικής μουσικής}} {{label|fr|artiste de musique classique}} {{label|nl|artiest klassieke muziek}} +{{label|ur|اعلی درجےکاموسیقی فنکار}} | comments = {{comment|el|Ο Λούντβιχ βαν Μπετόβεν,Γερμανός συνθέτης και πιανίστας,ήταν ένας σπουδαίος καλλιτέχνης της κλασικής μουσικής.}} +{{comment|ur|لڈوگ وان بیتھوون ، جرمن موسیقار اور پیانو بجانے والے ، کلاسیکی موسیقی کے ایک عظیم فنکار تھے۔}} | rdfs:subClassOf = MusicalArtist -}}OntologyClass:ClassicalMusicComposition2008220511622016-06-06T12:46:32Z{{Class +}}OntologyClass:ClassicalMusicComposition2008220575262022-04-24T11:59:29Z{{Class | labels = {{label|en|classical music composition}} {{label|de|Komposition klassischer Musik}} @@ -2082,10 +2396,13 @@ {{label|fr|composition de musique classique}} {{label|it|composizione di musica classica}} {{label|nl|compositie klassieke muziek}} +{{label|ur| روایتی موسیقی کی ترکیب }} | comments = {{comment|el|Η σύνθεση κλασικής μουσικής μπορεί να πραγματοποιηθεί και με τη βοήθεια ειδικών προγραμμάτων στον υπολογιστή που χρησιμοποιούν συγκεκριμένο αλγόριθμο.}} +{{comment|ur|کلاسیکی موسیقی کی تشکیل کمپیوٹر پر خصوصی پروگراموں کی مدد سے کی جاسکتی ہے جو ایک مخصوص الگورتھم استعمال کرتے ہیں۔}} | rdfs:subClassOf = MusicalWork -}}OntologyClass:Cleric200333468002015-03-21T21:03:52Z{{Class +}} +aOntologyClass:Cleric200333553282021-09-11T18:02:04Z{{Class | labels = {{label|en|cleric}} {{label|fr|ecclésiastique}} @@ -2095,19 +2412,22 @@ {{label|de|geistlicher}} {{label|ko|성직자}} {{label|it|ecclesiastico}} +{{label|ur|پادری}} | rdfs:subClassOf = Person -}}OntologyClass:ClericalAdministrativeRegion2006476376962014-08-28T02:06:44Z{{Class +}}OntologyClass:ClericalAdministrativeRegion2006476580472022-05-10T15:31:23Z{{Class | labels = {{label|en|clerical administrative region}} {{label|de|klerikale Verwaltungsregion}} {{label|fr|région administrative dans une église}} {{label|nl|kerkelijk bestuurlijk gebied}} {{label|ko|사무 관리 지역 }} +{{label|ur|علمی انتظامی علاقہ }} | comments = -{{comment|en|An administrative body governing some territorial unity, in this case a clerical administrative body}} +{{comment|en|An administrative body governing some territorial unity, in this case a clerical administrative body}} +{{comment|ur| ایک علمی انتظامی معاملات میں ایک انتظامی ادارہ جو کچھ علاقائی وحدت کو کنٹرول کرتا ہے}} | rdfs:subClassOf = AdministrativeRegion | owl:equivalentClass = -}}OntologyClass:ClericalOrder2006030482292015-05-25T15:24:03Z{{Class +}}OntologyClass:ClericalOrder2006030575282022-04-24T12:08:49Z{{Class | labels = {{label|en|clerical order}} {{label|ga|ord rialta}} @@ -2117,10 +2437,12 @@ {{label|nl|kloosterorde}} {{label|it|ordine clericale}} {{label|fr|ordre religieux}} +{{label|ur|علما کا حکم}} | comments = {{comment|nl|Een 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.}} +{{comment|ur|خانقاہی حکم مذہبی، مردوں یا عورتوں کا ایک حکم ہے، جو ایک مشترکہ عقیدہ اور خانقاہی اصول کے بارے میں متحد ہو گئے ہیں جس کے وہ پابند ہیں، اور ایک ہی مقامی کمیونٹی، ایک خانقاہ یا مندر کے اندر مستقل طور پر ایک ساتھ رہتے ہیں۔ ہم خیال مذہبیوں کی کئی خانقاہیں مل کر ایک خانقاہی ترتیب بناتی ہیں۔}} | rdfs:subClassOf = ReligiousOrganisation -}}OntologyClass:ClubMoss200334393172015-01-16T19:49:32Z{{Class +}}OntologyClass:ClubMoss200334553602021-09-11T19:15:44Z{{Class | labels = {{label|en|club moss}} {{label|nl|wolfsklauw}} @@ -2129,8 +2451,9 @@ {{label|fr|lycopodiopsida}} {{label|ja|ヒカゲノカズラ綱}} {{label|ko|석송강}} +{{label|ur|بغیر پُہولوں کا سدا بہار پودا}} | rdfs:subClassOf = Plant -}}OntologyClass:Coach2007987507662016-04-15T12:37:09Z{{Class +}}OntologyClass:Coach2007987549462021-09-09T09:13:40Z{{Class | labels = {{label|en|coach}} {{label|ga|traenálaí}} @@ -2140,29 +2463,36 @@ {{label|it|allenatore}} {{label|nl|coach}} {{label|ja|コーチ}} +{{label|ur|تربیت کرنے والا}} | rdfs:subClassOf = Person -}}OntologyClass:CoalPit20010254469892015-03-22T19:06:57Z{{Class -| labels = -{{label|en|coal pit }} -{{label|nl|steenkolenmijn}} -{{label|de|Kohlengrube}} -| comments = -{{comment|en|A coal pit is a place where charcoal is or was extracted}} -{{comment|nl|Een mijn is een plaats waar steenkool wordt of werd gewonnen}} +}}OntologyClass:CoalPit20010254575402022-04-24T12:32:48Z{{Class +| labels = + {{label|en|coal pit }} + {{label|fr|puits de charbon}} + {{label|nl|steenkolenmijn}} + {{label|de|Kohlengrube}} +{{label|ur|کوئلہ}} +| comments = + {{comment|en|A coal pit is a place where charcoal is or was extracted}} + {{comment|ur|کوئلے کا گڑھا ایک ایسی جگہ ہے جہاں چارکول ہے یا نکالا جاتا ہے۔}} + {{comment|fr|Un puits de charbon est un endroit d'où le charbon était - ou est encore - extrait}} + {{comment|nl|Een mijn is een plaats waar steenkool wordt of werd gewonnen}} | rdfs:subClassOf = Mine -}}OntologyClass:CollectionOfValuables2006575471102015-03-23T15:45:10Z{{Class +}}OntologyClass:CollectionOfValuables2006575576142022-04-24T17:49:05Z{{Class |labels = {{label|en|collection of valuables}} {{label|de|Kunst- und Wertsachenversammlung}} {{label|nl|verzameling van kostbaarheden}} {{label|fr|collection d'objets}} {{label|ko|귀중품의 컬렉션 }} + {{label|ur|قیمتی اشیاء کا مجموعہ }} | comments = {{comment|en|Collection of valuables is a collection considered to be a work in itself)}} {{comment|nl|Een verzameling van kostbaarheden, die als een werk beschouwd wordt ). }} +{{comment|ur|قیمتی اشیاء کا مجموعہ ایک ایسا مجموعہ ہے جو اپنے آپ میں ایک کام سمجھا جاتا ہے۔}} | rdfs:subClassOf = Work -}}OntologyClass:College200335528132018-02-08T19:53:23Z{{Class +}}OntologyClass:College200335549542021-09-09T09:36:24Z{{Class | labels = {{label|en|college}} {{label|ga|coláiste}} @@ -2174,9 +2504,10 @@ {{label|ja|単科大学}} {{label|ko|단과대학}} {{label|pt|faculdade}} +{{label|ur|مدرسہ}} | rdfs:subClassOf = EducationalInstitution, schema:CollegeOrUniversity | owl:equivalentClass = -}}OntologyClass:CollegeCoach200336518672017-01-21T14:15:15Z{{Class +}}OntologyClass:CollegeCoach200336575432022-04-24T14:23:54Z{{Class | labels = {{label|en|college coach}} {{label|ga|traenálaí coláiste}} @@ -2185,8 +2516,9 @@ {{label|fr|entraîneur universitaire}} {{label|ko|대학 코치 }} {{label|nl|school coach}} +{{label|ur|کھیل سکھانے والا}} | rdfs:subClassOf = Coach -}}OntologyClass:Colour2002190521352017-06-19T11:23:53Z{{Class +}}OntologyClass:Colour2002190553722021-09-11T19:28:23Z{{Class | labels = {{label|en|colour}} {{label|ga|dath}} @@ -2198,20 +2530,24 @@ {{label|nl|kleur}} {{label|ja|色}} {{label|pt|cor}} + {{label|ur|رنگ}} | comments = {{comment|en|Color 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.}} +{{comment|ur|رنگ یا رنگ بصری ادراکی املاک ہے جو انسانوں میں سرخ ، پیلے ، نیلے اور دیگر نامی زمروں کے مطابق ہے۔ رنگ روشنی کے سپیکٹرم سے حاصل ہوتا ہے (روشنی کی تقسیم بمقابلہ طول موج) آنکھوں میں روشنی کے رسیپٹروں کی سپیکٹرمل حساسیت کے ساتھ تعامل کرتا ہے۔}} | rdfs:subClassOf = owl:Thing -}}OntologyClass:CombinationDrug20011919526692017-11-18T09:05:17Z{{Class +}}OntologyClass:CombinationDrug20011919576872022-04-25T11:29:18Z{{Class | labels = {{label|de|Kombinationspräparat}} {{label|en|combination drug}} {{label|nl|combinatiepreparaat}} {{label|fr|préparation combinée}} +{{label|ur|منشیات کا مجموعہ}} | comments = +{{comment|ur|ادویات جو کیمیکل کا مجموعہ ہیں۔‎}} {{comment|en|Drugs that are a combination of chemicals‎}} {{comment|en|Medikamente die mehrere Wirkstoffe enthalten}} | rdfs:subClassOf = Drug -}}OntologyClass:Comedian200337480622015-05-25T15:07:28Z{{Class +}}OntologyClass:Comedian200337575482022-04-24T14:29:47Z{{Class | labels = {{label|en|comedian}} {{label|ga|fuirseoir}} @@ -2222,16 +2558,18 @@ {{label|pt|comediante}} {{label|ja|お笑い芸人}} {{label|ko|희극 배우}} +{{label|ur|مسخرا}} | rdfs:subClassOf = Artist -}}OntologyClass:ComedyGroup2006475516062016-11-08T09:07:14Z{{Class +}}OntologyClass:ComedyGroup2006475553792021-09-11T19:36:38Z{{Class | labels = {{label|en|Comedy Group}} {{label|nl|cabaretgroep}} {{label|ko|코미디 그룹}} {{label|de|Komikergruppe}} {{label|ja|お笑いグループ}} +{{label|ur| مزاحیہ گروہ }} | rdfs:subClassOf = Group -}}OntologyClass:Comic2005813482312015-05-25T15:24:07Z{{Class +}}OntologyClass:Comic2005813549742021-09-09T11:13:19Z{{Class | labels = {{label|en|comic}} {{label|ga|greannán}} @@ -2243,15 +2581,18 @@ {{label|fr|bande dessinée}} {{label|es|historieta}} {{label|ko|만화}} +{{label|ur|مزاحیہ}} | rdfs:subClassOf = WrittenWork | owl:equivalentClass = wikidata:Q245068 -}}OntologyClass:ComicStrip2008710515212016-09-18T15:09:29Z{{Class +}}OntologyClass:ComicStrip2008710575512022-04-24T14:35:09Z{{Class | labels = -{{label|en|comic strip}} -{{label|nl|stripverhaal (Amerikaanse wijze)}} -{{label|de|Comicstrip}} + {{label|en|comic strip}} + {{label|fr|Bande dessinée}} + {{label|nl|stripverhaal (Amerikaanse wijze)}} + {{label|de|Comicstrip}} +{{label|ur|مزاحیہ خاکے}} | rdfs:subClassOf = Comic -}}OntologyClass:ComicsCharacter200338515202016-09-18T15:08:21Z{{Class +}}OntologyClass:ComicsCharacter200338553002021-09-11T11:52:47Z{{Class | labels = {{label|en|comics character}} {{label|nl|stripfiguur (Amerikaans)}} @@ -2259,10 +2600,11 @@ {{label|el|χαρακτήρας κινούμενων σχεδίων}} {{label|fr|personnage de bandes dessinées}} {{label|ja|コミックスのキャラクター}} +{{label|ur|مُضحِکہ خیزکردار}} {{label|ko|만화애니 등장인물}} {{label|pt|personagem de quadrinhos}} | rdfs:subClassOf = FictionalCharacter -}}OntologyClass:ComicsCreator200339507122016-04-13T14:29:38Z{{Class +}}OntologyClass:ComicsCreator200339576892022-04-25T11:32:37Z{{Class | labels = {{label|en|comics creator}} {{label|de|Comicautor}} @@ -2270,22 +2612,24 @@ {{label|fr|créateur de bandes dessinées}} {{label|el|δημιουργός κόμιξ}} {{label|ko|만화가}} +{{label|ur|مزاحیہ تخلیق کار}} {{label|ja|漫画家}} | rdfs:subClassOf = Artist -}}OntologyClass:Community2007077510802016-05-14T15:15:34Z{{Class +}}OntologyClass:Community2007077575562022-04-24T14:42:59Z{{Class | labels = {{label|en|Community}} -{{label|ga|pobal}} -{{label|nl|gemeenschap (community)}} -{{label|de|Gemeinde}} -{{label|fr|communauté}} -{{label|el|κοινότητα}} -{{label|ko|공동체}} -{{label|ja|コミュニティ}} +{{label|fr|Communauté}} +{{label|ur|برادری}} + | rdfs:subClassOf = PopulatedPlace | comments = +{{comment|ur|کمیونٹی جانداروں، لوگوں، پودوں یا جانوروں کا ایک گروپ ہے جو ایک مشترکہ ماحول میں رہتے ہیں۔}} + + +{{comment|en| A community is a group of living organisms, people, plants or animals that live in a common environment. }} +{{comment|fr| Une communauté est un groupe d'organismes vivants, de personnes, de plantes ou d'animaux qui vivent dans un environnement commun. }} {{comment|el| Κοινότητα είναι μία ομάδα ζώντων οργανισμών, ανθρώπων, φυτών ή ζώων που ζουν σε ένα κοινό περιβάλλον. }} -}}OntologyClass:Company200340521412017-06-27T11:09:32Z{{Class +}}OntologyClass:Company200340551632021-09-10T11:51:36Z{{Class | labels = {{label|en|company}} {{label|ga|comhlacht}} @@ -2299,9 +2643,10 @@ {{label|ko|회사}} {{label|ja|会社}} {{label|nl|bedrijf}} +{{label|ur|تِجارتی اِدارہ}} | rdfs:subClassOf = Organisation | owl:equivalentClass = wikidata:Q4830453 -}}OntologyClass:Competition2008061519132017-02-19T16:14:49Z{{Class +}}OntologyClass:Competition2008061549852021-09-09T11:37:33Z{{Class | labels = {{label|en|competition}} {{label|ga|comórtas}} @@ -2309,17 +2654,19 @@ {{label|el|διαγωνισμός}} {{label|nl|competitie}} {{label|fr|compétition}} +{{label|ur|مقابلہ}} | rdfs:subClassOf = Event -}}OntologyClass:ConcentrationCamp20010248519142017-02-19T16:15:26Z{{Class +}}OntologyClass:ConcentrationCamp20010248561262021-11-06T09:10:02Z{{Class | labels = {{label|en|Concentration camp}} +{{label|ur|حراستی کیمپ}} {{label|de|Konzentrationslager}} {{label|nl|concentratiekamp}} {{label|fr|camp de concentration}} | rdfs:subClassOf = Place | rdfs:comment@en = camp 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 -}}OntologyClass:Congressman200341393482015-01-16T20:25:36Z{{Class +}}OntologyClass:Congressman200341553832021-09-11T19:41:20Z{{Class | labels = {{label|en|congressman}} {{label|nl|congressist}} @@ -2327,8 +2674,10 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|el|βουλευτής}} {{label|fr|membre du Congrès}} {{label|ko|하원 의원}} +{{label|ur|مجلس کے شرکاء}} + | rdfs:subClassOf = Politician -}}OntologyClass:Conifer200342480642015-05-25T15:07:38Z{{Class +}}OntologyClass:Conifer200342549952021-09-09T11:52:48Z{{Class | labels = {{label|en|conifer}} {{label|ga|cónaiféar}} @@ -2340,17 +2689,20 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|nl|conifeer}} {{label|es|conífera}} {{label|ko|침엽수}} +{{label|ur|صنوبر کی قِسم کا پودا}} | rdfs:subClassOf = Plant |comments = +{{comment|ur| عروقی (نالی دار)پودے ہیں ، بیج ایک شنک میں موجود ہوتے ہیں۔ وہ لکڑی کے پودے ہیں۔}} {{comment|it|Le conifere sono piante vascolari, con semi contenuti in un cono. Sono piante legnose, perlopiù sono alberi e solo poche sono arbusti. <ref>http://it.wikipedia.org/wiki/Pinophyta</ref>}} {{comment|es|Las coníferas son plantas vasculares, con las semillas contenidas en un cono. Son plantas leñosas.}} }} == References == -<references />OntologyClass:Constellation2004549510812016-05-14T15:16:14Z{{Class +<references />OntologyClass:Constellation2004549561282021-11-06T09:12:30Z{{Class | rdfs:subClassOf = CelestialBody | labels = {{label|en|constellation}} +{{label|ur|نکشتر}} {{label|ga|réaltbhuíon}} {{label|es|constelación}} {{label|de|Sternbild}} @@ -2366,7 +2718,7 @@ Includes concentration, extermination, transit, detention, internment, (forced) | owl:equivalentClass = wikidata:Q8928 }} == References == -<references />OntologyClass:Contest2008060519152017-02-19T16:16:42Z{{Class +<references />OntologyClass:Contest2008060576262022-04-24T18:12:48Z{{Class | labels = {{label|en|contest}} {{label|ga|comórtas}} @@ -2375,9 +2727,10 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|el|διαγωνισμός}} {{label|ja|コンテスト}} {{label|fr|concours}} +{{label|ur|تکرار کرنا}} | rdfs:subClassOf = Competition | owl:equivalentClass = wikidata:Q476300 -}}OntologyClass:Continent200343480662015-05-25T15:07:44Z{{Class +}}OntologyClass:Continent200343550112021-09-09T12:15:00Z{{Class | labels = {{label|en|continent}} {{label|ga|ilchríoch}} @@ -2389,9 +2742,11 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|ko|대륙}} {{label|ja|大陸}} {{label|nl|continent}} +{{label|ur|براعظم}} | rdfs:subClassOf = PopulatedPlace | owl:equivalentClass = schema:Continent |comments = +{{comment|ur|براعظم زمین کا ایک بڑا علاقہ ہے جو زمین کی پرت سے نکلا ہے ، درحقیقت یہ ان سب سے بڑی تقسیم ہے جس کے ساتھ ابھرتی ہوئی زمینیں تقسیم کی گئی ہیں۔}} {{comment|it|Un continente è una grande area di terra emersa della crosta terrestre, è anzi la più vasta delle ripartizioni con le quali si suddividono le terre emerse.<ref>http://it.wikipedia.org/wiki/Continente</ref>}} {{comment|es|Un continente es una gran área de tierra emergida de la costra terrestre.}} }} @@ -2408,7 +2763,7 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{comment|en|A quality assurance label for wines}} {{comment|el|Μια ετικέτα διασφάλισης της ποιότητας των οίνων}} | rdfs:subClassOf = Wine -}}OntologyClass:Convention200344468682015-03-22T11:32:25Z{{Class +}}OntologyClass:Convention200344553862021-09-11T19:46:51Z{{Class | labels = {{label|en|convention}} {{label|nl|congres}} @@ -2416,13 +2771,15 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|el|συνέδριο}} {{label|fr|congrès}} {{label|ko|컨벤션}} +{{label|ur|مجلس}} | rdfs:subClassOf = SocietalEvent -}}OntologyClass:ConveyorSystem20011096519162017-02-19T16:17:38Z{{Class +}}OntologyClass:ConveyorSystem20011096550162021-09-09T12:25:24Z{{Class | labels = {{label|en|conveyor system}} {{label|de|Fördersystem}} {{label|fr|système convoyeur}} {{label|nl|transportsysteem}} +{{label|ur|نقل و حمل کے نظام}} | specificProperties = {{SpecificProperty | ontologyProperty = diameter | unit = metre }} {{SpecificProperty | ontologyProperty = mass | unit = kilogram }} @@ -2432,7 +2789,7 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{SpecificProperty | ontologyProperty = width | unit = millimetre }} | owl:disjointWith = Person | rdfs:subClassOf = On-SiteTransportation -}}OntologyClass:Country200345523292017-10-10T13:33:10Z{{Class +}}OntologyClass:Country200345552642021-09-11T05:54:14Z{{Class | labels = {{label|en|country}} {{label|ga|tír}} @@ -2446,20 +2803,41 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|ru|Государство}} {{label|ko|나라}} {{label|ja|国}} +{{label|ur|ملک}} | rdfs:subClassOf = PopulatedPlace | owl:equivalentClass = schema:Country, wikidata:Q6256 -}}OntologyClass:CountrySeat2009253470182015-03-22T21:01:34Z{{Class +}}OntologyClass:CountrySeat2009253576292022-04-24T18:20:49Z{{Class | labels = {{label|en|country estate}} {{label|de|Landgut}} {{label|nl|buitenplaats}} +{{label|ur|ملک کی نشست}} | comments = {{comment|en|A country seat is a rural patch of land owned by a land owner.}} {{comment|nl|Een buitenplaats is een landgoed.}} +{{comment|ur|یک کنٹری سیٹ زمین کا ایک دیہی پیچ ہے جو زمین کے مالک کی ملکیت ہے}} + | rdfs:subClassOf = Place -}}OntologyClass:Crater2008694510822016-05-14T15:16:49Z{{Class +}}OntologyClass:Covid1920013108569732022-03-09T10:33:31Z{{Class +| labels = + {{label|en|COVID-19 pandemic}} + {{label|fr|Pandémie COVID-19}} + {{label|zh|2019冠状病毒病疫情}} + {{label|ur|کورونا وائرس2019}} +| comments = + {{comment|ur|کورونا وائرس کی بیماری 2019 کی جاری وبائی بیماری۔}} + {{comment|en|Ongoing pandemic of coronavirus disease 2019}} + {{comment|fr|Pandémie actuelle de maladie coronavirus 2019}} + {{comment|zh|2019冠狀病毒病疫情是一次由严重急性呼吸系统综合征冠状病毒导致的2019冠状病毒病所引發的全球大流行疫情}} +| rdfs:subClassOf = owl:Thing +| rdfs:domain = owl:Thing +| rdfs:range = Covid19 +| owl:equivalentClass = wikidata:Q84263196 + +}}OntologyClass:Crater2008694562692022-02-16T08:45:58Z{{Class | labels = {{label|en|crater}} +{{label|ur|دہانه}} {{label|ga|cráitéar}} {{label|de|Krater}} {{label|el|κρατήρας}} @@ -2470,14 +2848,15 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|ja|クレーター}} | rdfs:subClassOf = NaturalPlace -}}OntologyClass:CricketGround2008402456822015-03-12T18:48:28Z{{Class +}}OntologyClass:CricketGround2008402553902021-09-11T20:16:28Z{{Class | labels = {{label|en|cricket ground}} {{label|de|Cricketfeld}} {{label|nl|cricketveld}} {{label|it|campo da cricket}} +{{label|ur|کرکٹ کا میدان}} | rdfs:subClassOf = SportFacility -}}OntologyClass:CricketLeague2002167503812016-03-04T05:14:44Z{{Class +}}OntologyClass:CricketLeague2002167550322021-09-09T12:56:48Z{{Class | labels = {{label|en|cricket league}} {{label|ga|sraith cruicéid}} @@ -2488,20 +2867,24 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|nl|cricket competitie}} {{label|ko|크리켓 대회 }} {{label|ja|クリケットリーグ }} +{{label|ur|کرکٹ انجمن}} | comments = {{comment|en|a group of sports teams that compete against each other in Cricket}} +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروپ جو کرکٹ میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں۔}} | rdfs:subClassOf = SportsLeague -}}OntologyClass:CricketTeam2008249503822016-03-04T05:15:09Z{{Class +}}OntologyClass:CricketTeam2008249584192022-05-14T15:35:50Z{{Class | labels = {{label|en|cricket team}} +{{label|fr|équipe de cricket}} {{label|ga|foireann cuircéid}} {{label|el|ομάδα κρίκετ}} {{label|de|Cricketmannschaft}} {{label|it|squadra di cricket}} {{label|nl|cricketteam}} {{label|ja|クリケットチーム}} +{{label|ur|کرکٹ جماعت}} | rdfs:subClassOf = SportsTeam -}}OntologyClass:Cricketer200346503832016-03-04T05:15:40Z{{Class +}}OntologyClass:Cricketer200346576352022-04-24T18:32:48Z{{Class | labels = {{label|en|cricketer}} {{label|ga|imreoir cruicéid}} @@ -2511,8 +2894,9 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|nl|cricketspeler}} {{label|ko|크리켓 선수}} {{label|ja|クリケット選手}} + {{label|ur| کرکٹ کا کھلاڑی}} | rdfs:subClassOf = Athlete -}}OntologyClass:Criminal200347507422016-04-15T11:39:48Z{{Class +}}OntologyClass:Criminal200347550342021-09-09T13:01:14Z{{Class | labels = {{label|en|criminal}} @@ -2526,17 +2910,19 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|es|criminal}} {{label|ko|범죄인}} {{label|ja|犯罪}} +{{label|ur|مجرم}} | rdfs:subClassOf =Person | owl:equivalentClass = wikidata:Q2159907 -}}OntologyClass:CrossCountrySkier20011179515182016-09-18T14:56:25Z{{Class +}}OntologyClass:CrossCountrySkier20011179575742022-04-24T15:43:37Z{{Class | labels = {{label|en|cross-country skier}} {{label|nl|langlaufer}} {{label|de|Skilangläufer}} +{{label|ur|کراس کنٹری اسکیئر}} | rdfs:subClassOf = WinterSportPlayer -}}OntologyClass:Crustacean200348480712015-05-25T15:08:14Z{{Class +}}OntologyClass:Crustacean200348553962021-09-11T20:29:02Z{{Class | labels = {{label|en|crustacean}} {{label|ga|crústach}} @@ -2546,8 +2932,9 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|ja|甲殻類}} {{label|nl|schaaldier}} {{label|ko|갑각류}} +{{label|ur|خول دارجانور}} | rdfs:subClassOf = Animal -}}OntologyClass:CultivatedVariety2006251520672017-05-28T10:16:22Z{{Class +}}OntologyClass:CultivatedVariety2006251576982022-04-25T11:51:43Z{{Class | labels = {{label|en|cultivar (cultivated variety)}} {{label|nl|cultuurgewas}} @@ -2555,12 +2942,14 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|de|Sorte ( kultivierte Sorte )}} {{label|el|καλλιεργούμενη ποικιλία}} {{label|ko|재배 품종 }} +{{label|ur|کاشت شدہ مختلف قسم}} | comments = +{{comment|ur|کاشتکار ایک پودا یا پودوں کا گروہ ہے جو مطلوبہ خصوصیات کے لیے منتخب کیا جاتا ہے جسے پھیلاؤ کے ذریعے برقرار رکھا جا سکتا ہے۔ ایک پودا جس کی اصل یا انتخاب بنیادی طور پر جان بوجھ کر انسانی سرگرمی کی وجہ سے ہے۔}} {{comment|en|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.}} {{comment|nl|Een plantensoort die voor menselijk gebruik wordt geteeld en uit wilde planten is veredeld}} | rdfs:subClassOf = Plant | owl:equivalentClass = wikidata:Q4886 -}}OntologyClass:Curler2006223507822016-04-15T17:09:53Z{{Class +}}OntologyClass:Curler2006223575802022-04-24T15:57:13Z{{Class | labels = {{label|en|curler}} {{label|de|Curlingspieler}} @@ -2568,8 +2957,9 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|nl|curlingspeler}} {{label|ko|컬링 선수}} {{label|ja|カーリング選手}} +{{label|ur|کرلنگ کا کھیل کھیلنے والا}} | rdfs:subClassOf = WinterSportPlayer -}}OntologyClass:CurlingLeague2002168479542015-05-25T14:55:56Z{{Class +}}OntologyClass:CurlingLeague2002168553982021-09-11T20:51:27Z{{Class | labels = {{label|en|curling league}} {{label|ga|sraith curlála}} @@ -2578,11 +2968,13 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|el|πρωτάθλημα curling}} {{label|fr|ligue de curling}} {{label|nl|curling competitie}} +{{label|ur|پتھر کنڈلی کھيل کی انجمن}} {{label|ko|컬링 리그 }} | comments = {{comment|en|a group of sports teams that compete against each other in Curling}} +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروپ جو کرلنگ میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں۔}} | rdfs:subClassOf = SportsLeague -}}OntologyClass:Currency200349504232016-03-04T06:44:47Z{{Class +}}OntologyClass:Currency200349550412021-09-09T13:18:08Z{{Class | labels = {{label|be|Валюта}} {{label|de|Währung}} @@ -2593,9 +2985,10 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|ko|통화}} {{label|nl|muntsoort}} {{label|ru|Валюта}} -{{label|ja|通貨}} +{{label|ur|سکہ رائج الوقت}} + | rdfs:subClassOf = owl:Thing -}}OntologyClass:Cycad200350507682016-04-15T12:42:37Z{{Class +}}OntologyClass:Cycad200350575822022-04-24T16:08:17Z{{Class | labels = {{label|en|cycad}} {{label|ga|cíocáid}} @@ -2606,19 +2999,22 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|pt|cicadácea}} {{label|ja|ソテツ門}} {{label|kr|소철류}} +{{label|ur|کرف نخلی}} | rdfs:subClassOf = Plant -}}OntologyClass:CyclingCompetition2005842523552017-10-10T13:59:24Z{{Class +}}OntologyClass:CyclingCompetition2005842566692022-02-28T09:51:32Z{{Class | labels = {{label|en|cycling competition}} {{label|da|cykelløb}} {{label|de|Radrennen}} {{label|el|διαγωνισμός ποδηλασίας}} {{label|es|Prueba ciclista}} +{{label|fr|course cycliste}} {{label|it|gara ciclistica}} {{label|nl|wielercompetitie}} {{label|ko|사이클 대회}} +{{label|ur|سائیکلنگ مقابلہ}} | rdfs:subClassOf = SportsEvent -}}OntologyClass:CyclingLeague2002169467652015-03-21T18:56:32Z{{Class +}}OntologyClass:CyclingLeague2002169584342022-05-14T16:47:04Z{{Class | labels = {{label|en|cycling league}} {{label|es|liga de ciclismo}} @@ -2627,22 +3023,27 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|fr|ligue de cyclisme}} {{label|nl|wielerronde}} {{label|ko|사이클 리그}} +{{label|ur|سائیکل سوار کی انجمن}} | comments = +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروپ جو سائیکلنگ میں ایک دوسرے کے خلاف مقابلہ کرتا ہے۔}} {{comment|en|a group of sports teams that compete against each other in Cycling}} | rdfs:subClassOf = SportsLeague -}}OntologyClass:CyclingRace2008128523562017-10-10T14:00:36Z{{Class +}}OntologyClass:CyclingRace2008128575852022-04-24T16:15:50Z{{Class | labels = {{label|en|cycling race}} +{{label|fr|course cycliste}} {{label|da|cykelløb}} {{label|de|Radrennen}} {{label|el|αγώνας ποδηλασίας}} {{label|it|corsa ciclistica}} {{label|nl|wielerwedstrijd}} +{{label|ur|سائیکلنگ دوڑ}} | rdfs:subClassOf = Race | owl:equivalentClass = wikidata:Q15091377 -}}OntologyClass:CyclingTeam2007356523572017-10-10T14:01:29Z{{Class +}}OntologyClass:CyclingTeam2007356584302022-05-14T16:39:40Z{{Class | labels = {{label|en|cycling team}} +{{label|fr|équipe cycliste}} {{label|ga|foireann rothaíochta}} {{label|nl|wielerploeg}} {{label|da|cykelhold}} @@ -2650,9 +3051,10 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|el|ομάδα ποδηλασίας}} {{label|it|squadra di ciclismo}} {{label|ko|사이클 팀 }} +{{label|ur|سائیکلنگ جماعت}} | comments = | rdfs:subClassOf = SportsTeam -}}OntologyClass:Cyclist200351523582017-10-10T14:02:10Z{{Class +}}OntologyClass:Cyclist200351551852021-09-10T17:16:25Z{{Class | labels = {{label|en|cyclist}} {{label|ga|rothaí}} @@ -2665,8 +3067,9 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|nl|wielrenner}} {{label|ko|사이클 선수}} {{label|ja|自転車選手}} + {{label|ur|سائیکل سوار}} | rdfs:subClassOf = Athlete -}}OntologyClass:D0:Activity2009394529202018-02-21T12:36:49Z{{Class +}}OntologyClass:D0:Activity2009394582202022-05-13T08:59:53Z{{Class | labels = {{label|en|activity}} {{label|da|aktivitet}} @@ -2676,20 +3079,33 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|ga|gníomhaíocht}} {{label|nl|activiteit}} {{label|pl|aktywność}} +{{label|ur|سرگرمی}} | comments = {{comment|en|Any action or task, planned or executed by an agent intentionally causing and participating in it. E.g. swimming, shopping, communicating, etc.}} +{{comment|ur|کوئی بھی عمل یا کام، جس کی منصوبہ بندی کی گئی ہو یا کسی ایجنٹ کے ذریعہ جان بوجھ کر اس میں حصہ لے کر انجام دیا گیا ہو۔ جیسے تیراکی، خریداری، بات چیت، وغیرہ}} +| owl:equivalentClass = wikidata:Q1914636 +}}OntologyClass:D0:سرگرمی20014013582192022-05-13T08:59:49Z{{Class +| labels = +{{label|ur|سرگرمی}} +| comments = +{{comment|ur|کوئی بھی عمل یا کام، جس کی منصوبہ بندی کی گئی ہو یا کسی ایجنٹ کے ذریعہ جان بوجھ کر اس میں حصہ لے کر انجام دیا گیا ہو۔ جیسے تیراکی، خریداری، بات چیت، وغیرہ}} | owl:equivalentClass = wikidata:Q1914636 -}}OntologyClass:DBpedian20012284535562019-08-29T12:44:38Z{{Class +}}OntologyClass:DBpedian20012284566942022-02-28T10:59:48Z{{Class | labels = - {{label|en|DBpedian}} +{{label|en|DBpedian}} +{{label|fr|DBpédien}} +{{label|ur|ڈی بی پیڈین}} | rdfs:subClassOf = Person -}}OntologyClass:DTMRacer20011168515022016-09-16T20:27:53Z{{Class +}}OntologyClass:DTMRacer20011168551942021-09-10T17:33:58Z{{Class | labels = {{label|en|DTM racer}} {{label|nl|DTM-coureur}} {{label|de|DTM Rennfahrer}} +{{label|ur|جرمن ٹورنگ کار ماسٹرزریسر}} + + | rdfs:subClassOf = RacingDriver -}}OntologyClass:Dam2008353507742016-04-15T16:20:54Z{{Class +}}OntologyClass:Dam2008353582212022-05-13T09:04:32Z{{Class | labels = {{label|en|dam}} {{label|ga|damba}} @@ -2699,12 +3115,14 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|fr|barrage}} {{label|it|diga}} {{label|ja|ダム}} +{{label|ur|ڈیم}} | rdfs:subClassOf = Infrastructure | comments = +{{comment|ur|ڈیم ایک ایسا ڈھانچہ ہے جو پانی کے قدرتی بہاؤ کو روکتا، ری ڈائریکٹ یا سست کر دیتا ہے۔}} {{comment|el|Ένα φράγμα είναι μια κατασκευή που εμποδίζει, ανακατευθύνει ή επιβραδύνει την φυσική ροή υδάτων.}} {{comment|en|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.}} | owl:equivalentClass = wikidata:Q12323 -}}OntologyClass:Dancer2007990509182016-04-21T08:14:29Z{{Class +}}OntologyClass:Dancer2007990554202021-09-12T17:53:28Z{{Class | labels = {{label|en|dancer}} {{label|ga|damhsóir}} @@ -2715,16 +3133,19 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|nl|danser}} {{label|ja|ダンサー}} {{label|pl|tancerz}} +{{label|ur|رقص کرنے والا}} | rdfs:subClassOf = Artist -}}OntologyClass:DartsPlayer2006211467092015-03-21T13:33:32Z{{Class +}}OntologyClass:DartsPlayer2006211573642022-03-31T12:23:22Z{{Class | labels = {{label|en|darts player}} + {{label|fr|joueur de fléchettes}} {{label|de|Dartspieler}} {{label|el|παίκτης βελάκιων}} {{label|nl|darter}} {{label|ko|다트 선수}} + {{label|ur|نيزہ باز}} | rdfs:subClassOf = Athlete -}}OntologyClass:Database2003133528492018-02-08T20:38:27Z{{Class +}}OntologyClass:Database2003133550572021-09-09T14:20:06Z{{Class | labels = {{label|en|Database}} {{label|ga|bunachar sonraí}} @@ -2735,19 +3156,22 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|pt|Banco de dados}} {{label|ja|データベース}} {{label|ko|데이터베이스}} + {{label|ur|ریکارڈرز_پر_مبنی_ایک_فائل}} | rdfs:subClassOf = Work, dul:InformationObject | owl:equivalentClass = -}}OntologyClass:Deanery2006480330242014-03-27T16:53:16Z{{Class +}}OntologyClass:Deanery2006480554222021-09-12T18:07:34Z{{Class | labels = {{label|en|deanery}} {{label|de|Dekanat}} {{label|el|κοσμητεία}} {{label|nl|proosdij}} +{{label|ur|عمید کا عہدہ}} | comments = {{comment|en|The intermediate level of a clerical administrative body between parish and diocese}} +{{comment|ur|گرجا گھر کا حلقہ اور بشپ کے دائرہ اختیار کا حلقہ کے مابین علمی انتظامی ادارے کی انٹرمیڈیٹ سطح۔}} | rdfs:subClassOf = ClericalAdministrativeRegion | owl:equivalentClass = -}}OntologyClass:Decoration2005771377232014-08-28T03:22:59Z{{Class +}}OntologyClass:Decoration2005771552102021-09-10T18:07:40Z{{Class |labels = {{label|en|decoration}} {{label|de|Auszeichnung}} @@ -2758,14 +3182,16 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|es|condecoración}} {{label|ja|勲章}} {{label|ko|장식}} +{{label|ur|سجاوٹ}} |comments = +{{comment|ur|ایک شے ، جیسے تمغہ یا آرڈر ، جو وصول کنندہ کو عزت سے نوازنے کے لیے دیا جاتا ہے۔}} {{comment|en|An object, such as a medal or an order, that is awarded to honor the recipient ostentatiously.<ref name="decoration">http://en.wikipedia.org/wiki/Decoration</ref>}} {{comment|it|Per onorificenza si intende un segno di onore che viene concesso da un'autorità in riconoscimento di particolari atti benemeriti.<ref name="onorificenza">http://it.wikipedia.org/wiki/Onorificenza</ref>}} {{comment|fr|Une distinction honorifique en reconnaissance d'un service civil ou militaire .<ref name="décoration">http://fr.wikipedia.org/wiki/D%C3%A9coration_%28honorifique%29</ref>}} | rdfs:subClassOf = Award }} ==References== -<references/>OntologyClass:Deity2006672474772015-04-01T18:44:37Z{{Class +<references/>OntologyClass:Deity2006672582262022-05-13T09:13:42Z{{Class | labels = {{label|en|deity}} {{label|de|Gottheit}} @@ -2775,9 +3201,10 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|nl|godheid}} {{label|pl|bóstwo}} {{label|ko|이집트 신}} +{{label|ur|دیوتا}} | rdfs:subClassOf = Agent | owl:equivalentClass = wikidata:Q178885 -}}OntologyClass:Demographics2007913507852016-04-15T18:18:50Z{{Class +}}OntologyClass:Demographics2007913582282022-05-13T09:17:22Z{{Class | labels = {{label|en|demographics}} {{label|ga|déimeagrafaic}} @@ -2786,10 +3213,12 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|nl|demografie}} {{label|fr|démographie}} {{label|ja|人口動態}} +{{label|ur|آبادیاتی}} | comments = {{comment|en|Population 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")}} +{{comment|ur|کسی جگہ کی آبادی۔ ان خصوصیات کا استعمال کرتا ہے: آبادی کی کل، سال (جب ماپا جاتا ہے، آبادی کا سال)، درجہ (اس جگہ کا ترتیب اس کے بہن بھائیوں کے درمیان ایک ہی سطح پر)، نام (علاقہ آبادی کے لحاظ سے ماپا جاتا ہے، جیسے: "مقام"، "میونسپلٹی" یا "کمیٹیٹ"}} | rdfs:subClassOf = owl:Thing -}}OntologyClass:Department2007015482402015-05-25T15:24:58Z{{Class +}}OntologyClass:Department2007015552162021-09-10T18:12:48Z{{Class | labels = {{label|en|department}} {{label|ga|roinn}} @@ -2799,8 +3228,9 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|fr|département}} {{label|el|τμήμα}} {{label|ko|부서}} +{{label|ur|شعبہ}} | rdfs:subClassOf = GovernmentalAdministrativeRegion -}}OntologyClass:Depth2007924521122017-06-19T11:03:38Z{{Class +}}OntologyClass:Depth2007924583032022-05-13T16:14:31Z{{Class | labels = {{label|en|depth}} {{label|da|dybde}} @@ -2809,7 +3239,8 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|el|βάθος}} {{label|nl|diepte}} {{label|ja|深度}} -}}OntologyClass:Deputy2002330507942016-04-16T05:11:33Z{{Class +{{label|ur|گہرائی}} +}}OntologyClass:Deputy2002330583072022-05-13T16:40:04Z{{Class | labels = {{label|en|deputy}} {{label|de|Stellvertreter}} @@ -2818,21 +3249,26 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|fr|député}} {{label|nl|gedeputeerde}} {{label|ja|国会議員}} +{{label|ur|نائب}} | rdfs:subClassOf = Politician -}}OntologyClass:Desert2009438507872016-04-15T18:39:32Z{{Class -| labels = {{label|en|Desert}} +}}OntologyClass:Desert20013273552422021-09-10T19:09:53Z{{Class + | labels = +{{label|en|Desert}} {{label|ga|gaineamhlach}} -{{label|de|Wüste}} -{{label|es|Desierto}} -{{label|el|Έρημος}} -{{label|fr|Désert}} -{{label|nl|woestijn}} -{{label|pt|deserto}} + {{label|de|Wüste}} + {{label|es|Desierto}} + {{label|el|Έρημος}} + {{label|fr|Désert}} + {{label|nl|woestijn}} +{{label|pt|deserto}} {{label|ja|砂漠}} -| comments = {{comment|en|A barren area of land where little precipitation occurs.}} -{{comment|el|Μία άγονη περιοχή όπου υπάρχει πολύ μικρή βροχόπτωση.}} + {{label|ur|ریگستان}} +| comments = +{{comment|ur|زمین کا بنجر علاقہ جہاں کم بارش ہوتی ہے۔}} +{{comment | en | Barren land where there is less rain.}} + | rdfs:subClassOf = NaturalPlace -}}OntologyClass:Device200352498342015-12-17T17:08:15Z{{Class +}}OntologyClass:Device200352551982021-09-10T17:40:42Z{{Class | labels = {{label|en|device}} {{label|ga|gléas}} @@ -2842,9 +3278,10 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|ja|デバイス}} {{label|nl|apparaat}} {{label|ko|장치}} +{{label|ur|آلہ}} {{label|pt|dispositivo}} | rdfs:subClassOf = owl:Thing -}}OntologyClass:DigitalCamera2006551520172017-04-07T12:28:28Z{{Class +}}OntologyClass:DigitalCamera2006551583052022-05-13T16:34:14Z{{Class | labels = {{label|en|digital camera}} {{label|ga|ceamara digiteach}} @@ -2853,21 +3290,26 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|fr|appareil photo numérique}} {{label|nl|digitale camera}} {{label|ko|디지털 카메라}} +{{label|ur|ڈیجیٹل کیمرہ}} | rdfs:subClassOf = Camera | comments = {{comment|el| Η ψηφιακή φωτογραφική μηχανή είναι συσκευή η οποία καταγράφει εικόνες με ηλεκτρονικό τρόπο, σε αντίθεση με την συμβατική φωτογραφική μηχανή, η οποία καταγράφει εικόνες με χημικές και μηχανικές διαδικασίες.}} {{comment|fr|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.}} -}}OntologyClass:Dike20011550507882016-04-15T18:42:13Z{{Class +{{comment|ur|ڈیجیٹل کیمرہ ایک ایسا آلہ ہے جو روایتی کیمرہ کے برعکس الیکٹرانک طور پر تصاویر کھینچتا ہے، جو کیمیائی اور مکینیکل عمل سے تصاویر کھینچتا ہے۔}} +}}OntologyClass:Dike20011550552432021-09-10T19:25:01Z{{Class | labels = {{label|en|dike}} {{label|nl|dijk}} {{label|fr|levée}} {{label|it|diga}} {{label|ja|堤防}} +{{label|ur|بند}} + | rdfs:subClassOf = Infrastructure | comments = +{{comment|ur|بند ایک لمبی قدرتی طور پر واقع رکاوٹ یا مصنوعی طور پر تعمیر شدہ ذخیرہ یا دیوار ہے ، جو پانی کی سطح کو کنٹرول کرتی ہے۔}} {{comment|en|A dike is an elongated naturally occurring ridge or artificially constructed fill or wall, which regulates water levels}} -}}OntologyClass:Diocese2006246507892016-04-15T18:44:26Z{{Class +}}OntologyClass:Diocese2006246583092022-05-13T16:45:26Z{{Class | labels = {{label|en|diocese}} {{label|ga|deoise}} @@ -2877,9 +3319,11 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|ko|교구}} {{label|el|επισκοπή}} {{label|ja|教区}} +{{label|ur|بشپ کے تحت حلقہ}} | comments = {{comment|en|District or see under the supervision of a bishop.}} +{{comment|ur|ڈسٹرکٹ یا ایک بشپ کی نگرانی میں دیکھیں۔}} | rdfs:subClassOf = ClericalAdministrativeRegion -}}OntologyClass:Diploma2007842511432016-06-04T20:10:07Z{{Class +}}OntologyClass:Diploma2007842583112022-05-13T16:50:22Z{{Class | labels = {{label|en|diploma}} {{label|ga|dioplóma}} @@ -2888,7 +3332,8 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|nl|diploma}} {{label|el|δίπλωμα}} {{label|ja|卒業証明書}} -}}OntologyClass:Disease200353521342017-06-19T11:23:21Z{{Class +{{label|ur|سند}} +}}OntologyClass:Disease200353552502021-09-10T19:42:44Z{{Class | labels = {{label|da|sygdom}} {{label|de|Krankheit}} @@ -2900,17 +3345,22 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|ko|질병}} {{label|ja|病気}} {{label|it|malattia}} +{{label|ur|بیماری}} | rdfs:subClassOf = owl:Thing | owl:equivalentClass = wikidata:Q12136 -}}OntologyClass:DisneyCharacter2007763482442015-05-25T15:25:17Z{{Class +}}OntologyClass:DisneyCharacter2007763583152022-05-13T16:59:24Z{{Class | labels = {{label|en|disney character}} +{{label|fr|personnage de Disney}} {{label|ga|carachtar Disney}} {{label|nl|Disneyfiguur}} {{label|de|Disneyfigur}} {{label|el|χαρακτήρες της ντίσνευ}} +{{label|ur|ڈزنی کے کردار}} +|comments= +{{comment|ur|امریکی فلم اور اینی میٹیڈ فلمیں بنانے والی کمپنی کے بنائے ہوے کارٹون کردار}} | rdfs:subClassOf = FictionalCharacter -}}OntologyClass:District2006768507912016-04-15T18:50:55Z{{Class +}}OntologyClass:District2006768559582021-09-18T06:22:31Z{{Class | labels = {{label|en|district}} {{label|ga|ceantar}} @@ -2921,19 +3371,25 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|ja|地区}} {{label|id|kecamatan}} {{label|ko|구}} +{{label|ur|ضلع}} | comments = {{comment|id|bagian wilayah administratif dibawah kabupaten}} +{{comment|ur|ضلع کے تحت انتظامی علاقے کا حصہ}} | rdfs:subClassOf = GovernmentalAdministrativeRegion -}}OntologyClass:DistrictWaterBoard2006496456842015-03-12T19:07:08Z{{Class +}}OntologyClass:DistrictWaterBoard2006496552512021-09-10T20:00:46Z{{Class | labels = {{label|en|district water board}} {{label|nl|waterschap}} {{label|de|Bezirkwasserwirtschaftsamt}} +{{label|ur|پانی کا ضلعی اقتدار}} | comments = + +{{comment|ur|تحفظ ،سطحی پانی کے انتظام کے لیے وقف سرکاری ایجنسی}} + {{comment|en|Conservancy, governmental agency dedicated to surface water management}} | rdfs:subClassOf = GovernmentalAdministrativeRegion | owl:equivalentClass = -}}OntologyClass:Document2009579521302017-06-19T11:17:55Z{{Class +}}OntologyClass:Document2009579552412021-09-10T19:03:29Z{{Class | labels= {{label|en|document}} {{label|ga|cáipéis}} @@ -2944,23 +3400,28 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|it|documento}} {{label|ja|ドキュメント}} {{label|nl|document}} +{{label|ur|دستاویز}} | comments= +{{comment|ur|کوئی بھی دستاویز۔}} {{comment|en|Any document}} | rdfs:subClassOf = Work | owl:equivalentClass = foaf:Document -}}OntologyClass:DocumentType2008254482482015-05-25T15:25:42Z{{Class +}}OntologyClass:DocumentType2008254583172022-05-13T17:31:41Z{{Class | labels= {{label|en|Document Type}} +{{label|fr|type de document}} {{label|ga|cineál cáipéise}} {{label|de|Dokumentenart}} {{label|el|τύπος εγγράφου}} {{label|nl|documenttype}} +{{label|ur|دستاویز کی قسم}} | comments= {{comment|en|type of document (official, informal etc.)}} {{comment|nl|documenttype}} +{{comment|ur|دستاویز کی قسم (سرکاری، غیر رسمی وغیرہ}} | rdfs:subClassOf = Type | specificProperties = -}}OntologyClass:Dog2006770520782017-06-19T10:30:07Z{{Class +}}OntologyClass:Dog2006770552532021-09-10T20:03:18Z{{Class | labels = {{label|en|dog}} {{label|ga|madra}} @@ -2971,10 +3432,11 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|nl|hond}} {{label|ja|イヌ}} {{label|ko|개}} +{{label|ur|کتا}} | rdfs:subClassOf = Mammal | owl:disjointWith = Cat | owl:equivalentClass = wikidata:Q25324 -}}OntologyClass:Drama2006832507932016-04-15T18:57:14Z{{Class +}}OntologyClass:Drama2006832552592021-09-10T20:14:10Z{{Class | labels = {{label|en|drama}} {{label|ga|dráma}} @@ -2984,9 +3446,10 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|de|Drama}} {{label|ko|드라마}} {{label|ja|ドラマ}} +{{label|ur|ناٹک}} | rdfs:subClassOf = WrittenWork | owl:equivalentClass = wikidata:Q25372 -}}OntologyClass:Drug200354487022015-08-10T10:25:09Z{{Class +}}OntologyClass:Drug200354583262022-05-13T17:45:46Z{{Class | labels = {{label|de|Droge}} {{label|en|drug}} @@ -2995,22 +3458,25 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|fr|médicament}} {{label|ko|약}} {{label|ja|薬物}} +{{label|ur|نشے کی دوا}} {{label|nl|geneesmiddel}} | specificProperties = {{SpecificProperty | ontologyProperty = meltingPoint | unit = kelvin }} {{SpecificProperty | ontologyProperty = boilingPoint | unit = kelvin }} | rdfs:subClassOf = ChemicalSubstance | owl:equivalentClass = wikidata:Q8386 -}}OntologyClass:Earthquake20011242510832016-05-14T15:17:39Z{{Class +}}OntologyClass:Earthquake20011242556302021-09-16T12:20:17Z{{Class | labels = {{label|en|earthquake}} {{label|de|Erdbeben}} {{label|fr|tremblement de terre}} {{label|nl|aardbeving}} {{label|ja|地震}} +{{label|ur|زلزلہ}} | rdfs:subClassOf = NaturalEvent | comments = {{comment|en|the result of a sudden release of energy in the Earth's crust that creates seismic waves}} -}}OntologyClass:Economist2006145507962016-04-16T05:24:28Z{{Class +{{comment|ur|یہ زمین کی پرت میں اچانک توانائی کے اخراج کا نتیجہ ہے جو زلزلے کی لہروں کو پیدا کرتا ہے}} +}}OntologyClass:Economist2006145556332021-09-16T12:25:07Z{{Class | labels = {{label|en|economist}} {{label|ga|eacnamaí}} @@ -3021,16 +3487,20 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|es|economista}} {{label|ko|경제학자}} {{label|ja|経済学者}} +{{label|ur|ماہر معاشیات}} + |comments = {{comment|en|An economist is a professional in the social science discipline of economics.<ref name="Economist">http://en.wikipedia.org/wiki/Economist</ref>}} {{comment|fr|Le terme d’économiste désigne une personne experte en science économique.<ref name="Économiste">http://fr.wikipedia.org/wiki/%C3%89conomiste</ref>}} {{comment|es|Un economista es un profesional de las ciencias sociales experto en economía teórica o aplicada.<ref name="Economista">http://es.wikipedia.org/wiki/Economista</ref>}} + + {{comment|ur|ایک ماہر معاشیات معاشیات کے سماجی سائنس کے شعبے میں پیشہ ور ہوتا ہے}} | rdfs:subClassOf = Person | owl:equivalentClass = wikidata:Q188094 }} == References == -<references/>OntologyClass:EducationalInstitution200355528212018-02-08T20:00:46Z{{Class +<references/>OntologyClass:EducationalInstitution200355549572021-09-09T09:39:30Z{{Class | labels = {{label|en|educational institution}} {{label|da|uddannelsesinstitution}} @@ -3040,9 +3510,10 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|fr|établissement d'enseignement}} {{label|nl|onderwijsinstelling}} {{label|ko|교육 기관}} +{{label|ur|تعلیمی ادارے}} | rdfs:subClassOf = Organisation | owl:equivalentClass = schema:EducationalOrganization, wikidata:Q2385804 -}}OntologyClass:Egyptologist2007632511262016-05-27T13:45:36Z{{Class +}}OntologyClass:Egyptologist2007632556362021-09-16T12:30:19Z{{Class | labels = {{label|en|egyptologist}} {{label|ga|Éigipteolaí}} @@ -3051,9 +3522,10 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|de|Ägyptologe}} {{label|el|αιγυπτιολόγος}} {{label|ja|エジプト学者}} +{{label|ur|ماہر مصریات}} | rdfs:subClassOf = Person | owl:equivalentClass = wikidata:Q1350189 -}}OntologyClass:Election2002506513672016-07-15T14:07:47Z{{Class +}}OntologyClass:Election2002506556382021-09-16T12:34:14Z{{Class | labels = {{label|de|Wahl}} {{label|en|Election}} @@ -3063,24 +3535,31 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|fr|élection}} {{label|it|elezione}} {{label|nl|verkiezing}} +{{label|ur|انتخابات}} {{label|ko|선거}} {{label|ja|選挙}} | rdfs:subClassOf = SocietalEvent | owl:equivalentClass = wikidata:Q40231 -}}OntologyClass:ElectionDiagram2009185485982015-08-05T16:05:49Z{{Class +}}OntologyClass:ElectionDiagram2009185556392021-09-16T12:40:18Z{{Class | labels = {{label|de|Wahldiagram}} {{label|en|Election Diagram}} {{label|el|εκλογικό διάγραμμα}} {{label|nl|verkiezingen diagram}} +{{label|ur| انتخابات کا خاکہ}} | rdfs:subClassOf = owl:Thing -}}OntologyClass:ElectricalSubstation20011252526382017-11-03T15:44:40Z{{Class +}}OntologyClass:ElectricalSubstation20011252583392022-05-14T05:31:44Z{{Class | labels = {{label|en|electrical substation}} + {{label|fr|poste électrique}} {{label|nl|transformatorhuisje}} - {{label|de|Transformatorenstation}} + {{label|ur|برقی ذیلی مرکز}} +| comments = +{{comment|ur|برقی ذیلی مرکز وولٹیج کو زیادہ سے کم، یا برعکس میں تبدیل کرتے ہیں۔}} + {{comment|en|Substations transform voltage from high to low, or the reverse.}} + {{comment|fr|poste de transformation abaisseur ou élévateur de tension.}} | rdfs:subClassOf = Infrastucture -}}OntologyClass:Embryology200356507992016-04-16T05:31:00Z{{Class +}}OntologyClass:Embryology200356556462021-09-17T05:58:04Z{{Class | labels = {{label|en| embryology}} {{label|ga|sutheolaíocht}} @@ -3090,8 +3569,9 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|nl| embryologie}} {{label|ko| 발생학}} {{label|ja| 発生学}} +{{label|ur|جنینیات کا علم}} | rdfs:subClassOf = AnatomicalStructure -}}OntologyClass:Employer2009425521402017-06-27T11:07:59Z{{Class +}}OntologyClass:Employer2009425583422022-05-14T05:34:26Z{{Class | labels = {{label|da|arbejdsgiver}} {{label|de|Arbeitgeber}} @@ -3102,25 +3582,31 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|fr|Employeur}} {{label|nl|werkgever}} {{label|ja|雇用者}} +{{label|ur|آجر}} | comments = {{comment|en|a person, business, firm, etc, that employs workers.}} {{comment|de|Arbeitgeber ist, wer die Arbeitsleistung des Arbeitnehmers kraft Arbeitsvertrages fordern kann und das Arbeitsentgelt schuldet.}} {{comment|el|άτομο, επιχείρηση, οργανισμός, κλπ που προσλαμβάνει εργαζόμενους.}} +{{comment|ur|آجر وہ ہے جو ملازمت کے معاہدے کی وجہ سے ملازم سے کام کا مطالبہ کر سکتا ہے اور جس پر اجرت واجب الادا ہے۔}} | rdfs:subClassOf = Agent | owl:equivalentClass = wikidata:Q3053337 -}}OntologyClass:EmployersOrganisation20010260467492015-03-21T17:46:54Z{{Class +}}OntologyClass:EmployersOrganisation20010260552732021-09-11T06:15:12Z{{Class | labels = {{label|en|Employers' Organisation}} {{label|de|Arbeitgeberverbände}} {{label|nl|werkgeversorganisatie}} {{label|fr|syndicat de patrons}} +{{label|ur|ملازمین کی تنظیم}} | comments = +{{comment|ur|ملازمین کی تنظیم تاجروں کی ایک تنظیم ہے جو مزدور تعلقات کے میدان میں اپنے اعمال کو مربوط کرنے کے لیے مل کر کام کرتی ہے۔}} {{comment|en|An employers' organisation is an organisation of entrepreneurs who work together to coordinate their actions in the field of labour relations}} | rdfs:subClassOf = Organisation -}}OntologyClass:Engine20011129508012016-04-16T05:36:51Z{{Class +}}OntologyClass:Engine20011129566532022-02-28T09:21:19Z{{Class | labels = {{label|en|engine}} +{{label|fr|moteur}} {{label|de|Motor}} +{{label|ur|انجن}} {{label|nl|motor}} {{label|ja|機関 (機械)}} | rdfs:subClassOf = Device @@ -3137,7 +3623,7 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{SpecificProperty | ontologyProperty = topSpeed | unit = kilometrePerHour }} {{SpecificProperty | ontologyProperty = powerOutput | unit = kilowatt }} {{SpecificProperty | ontologyProperty = diameter | unit = millimetre }} -}}OntologyClass:Engineer2006127480822015-05-25T15:09:19Z{{Class +}}OntologyClass:Engineer2006127556512021-09-17T06:33:19Z{{Class | labels = {{label|en|engineer}} {{label|ga|innealtóir}} {{label|el|μηχανικός}} @@ -3148,9 +3634,10 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|es|ingeniero}} {{label|ja|技術者}} {{label|ko|공학자}} +{{label|ur|ماہر فنیات}} | rdfs:subClassOf = Person | owl:equivalentClass = wikidata:Q81096 -}}OntologyClass:Entomologist2008340508022016-04-16T05:38:14Z{{Class +}}OntologyClass:Entomologist2008340583432022-05-14T05:39:59Z{{Class | labels = {{label|en|entomologist}} {{label|ga|feithideolaí}} @@ -3159,9 +3646,10 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|el|εντομολόγος}} {{label|it|entomologo}} {{label|ja|昆虫学者}} +{{label|ur|ماہر حشریات}} | rdfs:subClassOf = Scientist | owl:equivalentClass = wikidata:Q3055126 -}}OntologyClass:Enzyme2005845519422017-02-20T21:26:17Z{{Class +}}OntologyClass:Enzyme2005845556522021-09-17T06:36:45Z{{Class | labels = {{label|en|enzyme}} {{label|ga|einsím}} @@ -3172,14 +3660,21 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|ja|酵素}} {{label|nl|enzym}} {{label|ko|효소}} +{{label|ur|خامرہ}} | rdfs:subClassOf = Biomolecule | owl:equivalentClass = wikidata:Q8047 -}}OntologyClass:Escalator20011097508032016-04-16T05:42:14Z{{Class +}}OntologyClass:Escalator20011097566542022-02-28T09:22:11Z{{Class | labels = {{label|en|escalator}} +{{label|fr|escalator}} {{label|nl|roltrap}} {{label|de|Rolltreppe}} {{label|ja|エスカレーター}} +{{label|ur|رواں زینہ}} + +|comments= +{{comment|ur|بجلی سے چلنے والی سیڑھی}} + | specificProperties = {{SpecificProperty | ontologyProperty = diameter | unit = metre }} {{SpecificProperty | ontologyProperty = mass | unit = kilogram }} @@ -3189,7 +3684,7 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{SpecificProperty | ontologyProperty = width | unit = millimetre }} | owl:disjointWith = Person | rdfs:subClassOf = On-SiteTransportation -}}OntologyClass:EthnicGroup200357480842015-05-25T15:09:39Z{{Class +}}OntologyClass:EthnicGroup200357552782021-09-11T06:20:23Z{{Class | labels = {{label|en|ethnic group}} {{label|ga|grúpa eitneach}} @@ -3198,10 +3693,11 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|de|ethnie}} {{label|it|etnia}} {{label|ko|민족}} - {{label|nl|etnische groep}} + {{label|ur|نسلی گروہ}} +{{label|nl|etnische groep}} | rdfs:subClassOf = owl:Thing | owl:equivalentClass = wikidata:Q41710 -}}OntologyClass:Eukaryote200358480852015-05-25T15:09:43Z{{Class +}}OntologyClass:Eukaryote200358552572021-09-10T20:09:21Z{{Class | labels = {{label|en| eukaryote}} {{label|ga|eocarót}} @@ -3212,9 +3708,10 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|ja| 真核生物}} {{label|nl|eukaryoot}} {{label|ko|진핵생물}} +{{label|ur| خلوی مادہ}} | rdfs:subClassOf = Species | owl:equivalentClass = wikidata:Q19088 -}}OntologyClass:EurovisionSongContestEntry200359479362015-05-25T14:53:54Z{{Class +}}OntologyClass:EurovisionSongContestEntry200359556572021-09-17T06:47:53Z{{Class | labels = {{label|en| Eurovision song contest entry}} {{label|ga|iontráil i gComórtas Amhránaíochta na hEoraifíse}} @@ -3222,8 +3719,9 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|el|Διαγωνισμός τραγουδιού της Eurovision}} {{label|fr| concours Eurovision de la chanson}} {{label|nl| Eurovisie Songfestival act}} +{{label|ur|یوروویژن گانا مقابلہ اندراج}} | rdfs:subClassOf = Song -}}OntologyClass:Event200360485092015-08-05T13:53:42Z{{Class +}}OntologyClass:Event200360549872021-09-09T11:40:22Z{{Class | labels = {{label|en|event}} {{label|ga|ócáid}} @@ -3234,9 +3732,11 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|ja|イベント}} {{label|nl|gebeurtenis}} {{label|ko|사건}} + +{{label|ur|تقریب}} | owl:disjointWith = Person | owl:equivalentClass = schema:Event, dul:Event, wikidata:Q1656682 -}}OntologyClass:Factory2007454482522015-05-25T15:26:03Z{{Class +}}OntologyClass:Factory2007454556612021-09-17T07:03:48Z{{Class | labels = {{label|en|factory}} {{label|ga|monarcha}} @@ -3247,13 +3747,16 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|ja|工場}} {{label|nl|fabriek}} {{label|ko|공장}} +{{label|ur|کارخانه}} + | rdfs:subClassOf = Building | comments = {{comment|en|A 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.}} {{comment|el|Το εργοστάσιο είναι ένα κτίριο μέσα στο οποίο, με τη βοήθεια των μηχανημάτων και τη σημαντικότατη συνεισφορά εργασίας από τους εργάτες, παράγονται σήμερα όλα σχεδόν τα βιομηχανικά είδη, είτε αυτά χρειάζονται πάλι για την παραγωγή (όπως μηχανές κλπ.) είτε είναι καταναλωτικά αγαθά.}} {{comment|fr| Une usine est un bâtiment ou un ensemble de bâtiments destinés à la production industrielle.}} +{{comment|ur|ایک کارخانه (پہلے کارخانه) ایک صنعتی رقبہ ہے ، عام طور پر عمارتوں اور مشینری پر مشتمل ہوتی ہے ، یا زیادہ عام طور پر ایک مرکب جس میں کئی عمارتیں ہوتی ہیں ، جہاں مزدور سامان تیار کرتے ہیں یا مشینیں چلاتے ہیں جو ایک مصنوعات کو دوسری پر پروسیسنگ کرتے ہیں۔}} | owl:equivalentClass = wikidata:Q83405 -}}OntologyClass:Family2006691521392017-06-27T11:06:53Z{{Class +}}OntologyClass:Family2006691556622021-09-17T07:05:14Z{{Class | labels= {{label|en|family}} {{label|ga|teaghlach}} @@ -3264,12 +3767,15 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|el|οικογένεια}} {{label|ja|家族}} {{label|nl|familie}} +{{label|ur|خاندان}} + | rdfs:subClassOf = Agent | comments= {{comment|en|A group of people related by common descent, a lineage.}} {{comment|el|Μια ομάδα ανθρώπων που συνδέονται με κοινή καταγωγή, μια γενεαλογία.}} +{{comment|ur|عام نسل سے متعلق لوگوں کا ایک گروہ ، ایک نسب}} | owl:equivalentClass = wikidata:Q8436 -}}OntologyClass:Farmer2008847504282016-03-04T06:51:05Z{{Class +}}OntologyClass:Farmer2008847560002021-09-18T08:01:21Z{{Class | labels = {{label|en|farmer}} {{label|ga|feirmeoir}} {{label|fr|fermier}} @@ -3277,9 +3783,10 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|nl|boer}} {{label|el|αγρότης}} {{label|ja|農家}} +{{label|ur|کسان}} | rdfs:subClassOf = Person | owl:equivalentClass = wikidata:Q131512 -}}OntologyClass:Fashion2007440504272016-03-04T06:50:48Z{{Class +}}OntologyClass:Fashion2007440556652021-09-17T07:23:07Z{{Class |labels = {{label|en|fashion}} {{label|ga|faisean}} @@ -3288,19 +3795,26 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|nl|mode}} {{label|fr|mode}} {{label|ja|ファッション}} + {{label|ur|روشِ لباس}} + | comments = {{comment|en|type or code of dressing, according to the standards of the time or individual design.}} +{{comment|ur|وقت یا انفرادی خاکے کے معیار کے مطابق لباس کی قسم}} {{comment|nl|Een stijl of code voor kleding, bepaald door de voorkeursstijl van een tijdperk of door individuele ontwerpers.}} | rdfs:subClassOf = TopicalConcept -}}OntologyClass:FashionDesigner2006219480872015-05-25T15:09:52Z{{Class -| labels = {{label|en|fashion designer}} -{{label|ga|dearthóir faisin}} -{{label|de|Modedesigner}} -{{label|el|σχεδιαστής μόδας}} -{{label|nl|modeontwerper}} +}}OntologyClass:FashionDesigner2006219581452022-05-12T18:05:04Z{{Class +| labels = + {{label|en|fashion designer}} + {{label|fr|styliste de mode}} + {{label|ga|dearthóir faisin}} + {{label|de|Modedesigner}} + {{label|el|σχεδιαστής μόδας}} + {{label|nl|modeontwerper}} + {{label|ur|پوشاک ساز}} + | rdfs:subClassOf = Artist | owl:equivalentClass = wikidata:Q3501317 -}}OntologyClass:Fencer2007640508042016-04-16T05:45:12Z{{Class +}}OntologyClass:Fencer2007640552812021-09-11T06:23:31Z{{Class | labels = {{label|en|fencer}} {{label|ga|pionsóir}} @@ -3308,9 +3822,10 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|de|Fechter}} {{label|nl|schermer}} {{label|ja|フェンシング選手}} +{{label|ur|تیغ زن }} | rdfs:subClassOf = Athlete | owl:equivalentClass = wikidata:Q737498Q13381863 -}}OntologyClass:Fern200361480882015-05-25T15:10:00Z{{Class +}}OntologyClass:Fern200361581312022-05-12T17:06:12Z{{Class | labels = {{label|en| fern}} {{label|ga|raithneach}} @@ -3322,8 +3837,9 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|fr| fougères}} {{label|pt| samambaia}} {{label|ja| シダ植物門}} +{{label|ur| بے پھول کا بڑے پتوں والا پودا}} | rdfs:subClassOf = Plant -}}OntologyClass:FictionalCharacter200362521722017-08-17T08:36:19Z{{Class +}}OntologyClass:FictionalCharacter200362552342021-09-10T18:59:28Z{{Class | labels = {{label|en|fictional character}} {{label|ga|carachtar ficseanúil}} @@ -3332,20 +3848,23 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|el|πλασματικός χαρακτήρας}} {{label|nl|personage (fictie)}} {{label|ja|キャラクター}} +{{label|ur|خیالی کردار}} | rdfs:subClassOf = Agent | owl:equivalentClass = wikidata:Q95074 -}}OntologyClass:FieldHockeyLeague2002170393632015-01-16T20:49:59Z{{Class +}}OntologyClass:FieldHockeyLeague2002170552822021-09-11T06:29:36Z{{Class | labels = {{label|en|field hockey league}} {{label|nl|hockeybond}} {{label|de|Feldhockey-Liga}} {{label|el|πρωτάθλημα χόκεϊ επί χόρτου}} {{label|fr|ligue d'hockey sur gazon}} +{{label|ur|کھیل ہاکی ٹیموں کا گروہ}} | comments = +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروپ جو ہاکی کے میدان میں ایک دوسرے کے خلاف مقابلہ کرتا ہے۔}} {{comment|en| a group of sports teams that compete against each other in Field Hockey}} {{comment|el|ένα γκρουπ αθλητικών ομάδων που διαγωνίζονται η μια εναντίον της άλλης στο χόκεϊ επί χόρτου}} | rdfs:subClassOf = SportsLeague -}}OntologyClass:FigureSkater200363480902015-05-25T15:10:09Z{{Class +}}OntologyClass:FigureSkater200363581322022-05-12T17:15:07Z{{Class | labels = {{label|en| figure skater}} {{label|ga|scátálaí fíorach}} @@ -3356,9 +3875,12 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|pt| patinador artístico}} {{label|ja| フィギュアスケート選手}} {{label|nl| kunstschaatser}} +{{label|ur| فگرسکیٹر}} + + | rdfs:subClassOf = WinterSportPlayer | owl:equivalentClass = wikidata:Q13219587 -}}OntologyClass:File2009562504262016-03-04T06:50:21Z{{Class +}}OntologyClass:File2009562560412021-09-19T12:57:10Z{{Class | labels = {{label|en|file}} {{label|ga|comhad}} @@ -3367,20 +3889,28 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|fr|fichier}} {{label|el|Αρχείο}} {{label|ja|ファイル}} +{{label|ur|فائل}} | comments = {{comment|en|A document with a filename}} +{{comment|ur|فائل نام کے ساتھ ایک دستاویز}} {{comment|el|Ένα σύνολο από στοιχεία ή πόρους που μπορούν να χρησιμοποιηθούν για επεξεργασία και παραγωγή πληροφορίας}} | rdfs:subClassOf = Document | owl:equivalentClass = -}}OntologyClass:FileSystem20012184535522019-08-23T13:27:05Z{{Class +}}OntologyClass:FileSystem20012184566712022-02-28T09:59:45Z{{Class |labels= {{label|en|File system}} + {{label|fr|Système de fichiers}} {{label|de|Dateisystem}} {{label|nl|Bestandssysteem}} {{label|ru|Файловая система}} + {{label|ur|فائل سسٹم}} +|comments= +{{comment|en|File classification system}} +{{comment|fr|Système de classification des fichiers}} +{{comment|ur|فائلوں میں درجہ بندی کا نظام}} | owl:disjointWith = Person | rdfs:subClassOf = owl:Thing -}}OntologyClass:Film200364523192017-10-10T13:22:50Z{{Class +}}OntologyClass:Film200364551122021-09-10T07:14:14Z{{Class | labels = {{label|en|film}} {{label|en|movie}} @@ -3395,9 +3925,10 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|pl|film}} {{label|ga|scannán}} {{label|es|película}} +{{label|ur|فلم}} | rdfs:subClassOf = Work | owl:equivalentClass = schema:Movie ,wikidata:Q11424 -}}OntologyClass:FilmFestival200365523412017-10-10T13:43:38Z{{Class +}}OntologyClass:FilmFestival200365560392021-09-19T12:53:13Z{{Class | labels = {{label|en|film festival}} {{label|da|filmfestival}} @@ -3409,9 +3940,10 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|ja|映画祭}} {{label|nl|filmfestival}} {{label|pl|festiwal filmowy}} +{{label|ur|فلمی میلہ}} | rdfs:subClassOf = SocietalEvent, schema:Festival | owl:equivalentClass = wikidata:Q220505 -}}OntologyClass:Fish200366521792017-08-27T14:45:19Z{{Class +}}OntologyClass:Fish200366553172021-09-11T17:29:48Z{{Class | labels = {{label|en| fish}} {{label|ga|iasc}} @@ -3424,9 +3956,10 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|ja| 魚類}} {{label|nl|vis}} {{label|pl|ryba}} +{{label|ur|مچھلی}} | rdfs:subClassOf = Animal | owl:equivalentClass = wikidata:Q152 -}}OntologyClass:Flag2004543521132017-06-19T11:04:23Z{{Class +}}OntologyClass:Flag2004543551172021-09-10T07:25:53Z{{Class | labels = {{label|en|flag}} {{label|ga|bratach}} @@ -3438,9 +3971,10 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|ja|旗}} {{label|nl|vlag}} {{label|ko|국기}} +{{label|ur|جھنڈا}} | rdfs:subClassOf = owl:Thing | owl:equivalentClass = wikidata:Q14660 -}}OntologyClass:FloweringPlant200367396042015-01-20T14:56:07Z{{Class +}}OntologyClass:FloweringPlant200367557062021-09-17T14:01:35Z{{Class | labels = {{label|en|flowering plant}} {{label|de|bedecktsamige Pflanze}} @@ -3450,39 +3984,68 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|el|ανθοφόρο φυτό}} {{label|fr| angiospermes}} {{label|ja| 被子植物}} +{{label|ur| پھولوں کا پودا}} | rdfs:subClassOf = Plant -}}OntologyClass:Foaf:Document2005130498652015-12-17T20:57:31Z{{Class +}}OntologyClass:Foaf:Document2005130567082022-02-28T13:27:22Z{{Class | labels= {{label|en|document}} {{label|de|dokument}} +{{label|fr|document}} {{label|el|έγγραφο}} {{label|it|documento}} {{label|pt|documento}} {{label|ja|ドキュメント}} {{label|nl|document}} +{{label|ur|دستاویز}} + | comments= {{comment|en|Equivalent to http://xmlns.com/foaf/spec/#term_Document}} +{{comment|fr|Equivalent à http://xmlns.com/foaf/spec/#term_Document}} | rdfs:subClassOf = Work -}}OntologyClass:Foaf:Image20010306521292017-06-19T11:17:23Z{{Class +}}OntologyClass:Foaf:Image20010306581362022-05-12T17:39:51Z{{Class | labels = {{label|en|image}} {{label|da|billede}} {{label|de|Bild}} +{{label|fr|image}} {{label|nl|afbeelding}} {{label|ja|画像}} +{{label|ur|تصویر}} | comments = {{comment|en|A document that contains a visual image}} - -}}OntologyClass:Foaf:Person2001617322322014-03-03T17:22:13Z{{Class +{{comment|ur|ایک دستاویز جس میں ایک بصری تصویر ہوتی ہے}} +{{comment|fr|Un document contenant une image visuelle}} +}}OntologyClass:Foaf:Person2001617557342021-09-17T17:32:19Z{{Class | labels= {{label|en|person}} {{label|de|person}} {{label|el|άτομο}} {{label|it|persona}} +{{label|ur|شخص}} {{label|fr|personne}} {{label|ja|人 (法律)}} {{label|nl|persoon}} -}}OntologyClass:Food2003929528422018-02-08T20:31:24Z{{Class +{{label|ur|شخص}} +}}OntologyClass:Foaf:تصویر20013217581372022-05-12T17:40:04Z{{Class +| labels = +{{label|ur|تصویر}} +{{label|en|image}} +| comments = +{{comment|ur|ایک دستاویز جس میں ایک بصری تصویر ہوتی ہے۔}} +{{comment|en|A document that contains a visual image}} + +}}OntologyClass:Foaf:دستاویز20013543581382022-05-12T17:45:01Z{{Class +| labels= +{{label|ur|دستاویز}} +{{label|en|document}} + +| rdfs:subClassOf = کام +}}OntologyClass:Foaf:شخص20013492581502022-05-12T18:17:06Z{{Class +| labels= + +{{label|ur|شخص}} +{{label|en|person}} +}}OntologyClass:Food2003929561112021-11-05T11:36:00Z{{Class | labels = {{label|en|Food}} {{label|el|φαγητό}} @@ -3496,13 +4059,15 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|fr|nourriture}} {{label|pt|comida}} {{label|pl|jedzenie}} + {{label|ur|خوراک}} | comments = {{comment|en|Food is any eatable or drinkable substance that is normally consumed by humans.}} {{comment|el|Φαγητό είναι οποιαδήποτε φαγώσιμη ή πόσιμη ουσία που καταναλώνεται κανονικά από ανθρώπους.}} {{comment|de|Lebensmittel umfasst als Oberbegriff sowohl Getränke als auch die Nahrungsmittel und Genussmittel.}} + {{comment|ur|کھانا کوئی بھی کھانے یا پینے کے قابل مادہ ہے جو عام طور پر انسان استعمال کرتے ہیں۔}} | rdfs:subClassOf = owl:Thing | owl:equivalentClass = wikidata:Q2095 -}}OntologyClass:FootballLeagueSeason2006073520682017-05-28T10:20:03Z{{Class +}}OntologyClass:FootballLeagueSeason2006073560312021-09-19T12:33:50Z{{Class | labels = {{label|en| football league season}} {{label|nl| Football League seizoen}} @@ -3510,8 +4075,9 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|de| Football Liga Saison}} {{label|el|αγωνιστική περίοδος πρωταθλήματος ποδοσφαίρου}} {{label|ko|축구 대회 시즌}} +{{label|ur| فٹ بال لیگ کے موسم}} | rdfs:subClassOf = SportsTeamSeason -}}OntologyClass:FootballMatch2004306480922015-05-25T15:10:27Z{{Class +}}OntologyClass:FootballMatch2004306560092021-09-18T12:59:05Z{{Class | labels = {{label|de|Fußballspiel}} {{label|en|football match}} @@ -3520,60 +4086,77 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|pl|mecz piłki nożnej}} {{label|es|partido de fútbol}} {{label|nl|voetbal wedstrijd}} +{{label|ur|فٹ بال مقابلہ}} + | comments = {{comment|en|a competition between two football teams}} +{{comment|ur|دو فٹ بال ٹیموں کے درمیان مقابلہ}} | rdfs:subClassOf = SportsEvent -}}OntologyClass:Forest20011709523302017-10-10T13:34:05Z{{Class +}}OntologyClass:Forest20011709551642021-09-10T12:32:41Z{{Class |labels = {{label|en|forest}} {{label|nl|bos}} {{label|da|skov}} {{label|de|Wald}} {{label|fr|forêt}} + {{label|ur|جنگل}} |comments = {{comment|en|A natural place more or less densely grown with trees}} +{{comment|ur|ایک قدرتی جگہ جو کم و بیش درختوں کے ساتھ اگتی ہے۔}} | rdfs:subClassOf = NaturalPlace -}}OntologyClass:FormerMunicipality2008142474992015-04-01T20:58:47Z{{Class +}}OntologyClass:FormerMunicipality2008142561002021-11-05T10:56:51Z{{Class | labels = {{label|en|one-time municipality}} {{label|fr|commune historique}} {{label|de|ehemalige Gemeinde}} {{label|nl|voormalige gemeente}} +{{label|ur|سابق بلدیہ}} | comments = {{comment|en|A municipality that has ceased to exist, and most of the time got incorporated (wholesale or partly) into another municipality}} +{{comment|ur|ایک بلدیہ جس کا وجود ختم ہو گیا ہے، اور زیادہ تر وقت کسی دوسری بلدیہ میں (تھوک یا جزوی طور پر) شامل ہو گیا ہے}} | rdfs:subClassOf = Municipality | owl:equivalentClass = wikidata:Q19730508 -}}OntologyClass:FormulaOneRacer200371393782015-01-18T13:01:44Z{{Class +}}OntologyClass:FormulaOneRacer200371560112021-09-18T13:03:37Z{{Class | labels = {{label|en|Formula One racer}} {{label|nl|formule 1-coureur}} {{label|de|Formel-1 Rennfahrer}} {{label|el|πιλότος της φόρμουλας ένα}} {{label|fr|pilote de formule 1}} +{{label|ur|فارمولا ون ریسر}} + | rdfs:subClassOf = RacingDriver -}}OntologyClass:FormulaOneRacing2005331345062014-04-08T15:44:39Z{{ Class +}}OntologyClass:FormulaOneRacing2005331554322021-09-13T07:55:52Z{{ Class | labels = {{label|en|formula one racing}} {{label|de|Formel-1 Rennen}} {{label|el|φόρμουλα ένας αγώνας}} {{label|nl|Formule 1-r‎ace}} +{{label|ur|فارمولا ون ریسنگ}} | rdfs:subClassOf = SportsLeague -}}OntologyClass:FormulaOneTeam2007982393742015-01-18T12:46:24Z{{Class +}}OntologyClass:FormulaOneTeam2007982551342021-09-10T07:44:35Z{{Class | labels = {{label|en|formula 1 team}} {{label|nl|formule 1-team}} {{label|de|Formel-1 Team}} {{label|el|ομάδα φόρμουλα 1 }} {{label|it|scuderia formula 1}} +{{label|ur|فارمولا ون ٹیم}} | rdfs:subClassOf = SportsTeam -}}OntologyClass:Fort20011729513822016-07-28T07:24:15Z{{Class -| labels = {{label|en|fort}} -{{label|nl|fort}} -| comments = {{comment|en|Fortified place, most of the time to protect traffic routes}} +}}OntologyClass:Fort20011729573952022-04-03T08:41:35Z{{Class +| labels = + {{label|en|fort}} + {{label|fr|fort}} + {{label|nl|fort}} + {{label|ur|قلعہ}} +| comments = + {{comment|en|Fortified place, most of the time to protect traffic routes}} + {{comment|fr|Endroit fortifié, la plupart du temps pour protéger des routes de trafic.}} + {{comment|ur|مضبوط جگہ ، زیادہ تر وقت آمد و رفت کے راستوں کی حفاظت کے لیے}} | rdfs:subClassOf = MilitaryStructure -}}OntologyClass:Fungus200372480932015-05-25T15:10:32Z{{Class +}}OntologyClass:Fungus200372560192021-09-19T11:42:27Z{{Class |labels= {{label|en|fungus}} {{label|ga|fungas}} @@ -3583,8 +4166,9 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|es|hongos}} {{label|nl|schimmel}} {{label|ja|菌類}} +{{label|en|پھُپھُوندی}} | rdfs:subClassOf = Eukaryote -}}OntologyClass:GaelicGamesPlayer200373526702017-11-18T09:09:23Z{{Class +}}OntologyClass:GaelicGamesPlayer200373556662021-09-17T10:35:27Z{{Class |labels= {{label|en|Gaelic games player}} {{label|nl|Gaelische sporter}} @@ -3592,20 +4176,22 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|de|gälischen Sportspieler}} {{label|el|Γαελικός παίκτης παιχνιδιών}} {{label|fr|joueur de sports gaéliques}} +{{label|ur|گیلک_کھیل_کا_کھلاڑی}} | rdfs:subClassOf = Athlete -}}OntologyClass:Galaxy2004440523312017-10-10T13:35:57Z{{Class +}}OntologyClass:Galaxy2004440570282022-03-09T13:42:06Z{{Class |labels= -{{label|en|galaxy}} -{{label|ga|réaltra}} -{{label|da|galakse}} -{{label|de|Galaxie}} -{{label|fr|galaxie}} -{{label|el|γαλαξίας}} -{{label|ja|銀河}} -{{label|nl|melkwegstelsel}} -{{label|pt|galáxia}} -{{label|tr|galaksi}} -{{label|ko|은하}} + {{label|en|galaxy}} + {{label|ga|réaltra}} + {{label|da|galakse}} + {{label|de|Galaxie}} + {{label|fr|galaxie}} + {{label|el|γαλαξίας}} + {{label|ja|銀河}} + {{label|nl|melkwegstelsel}} + {{label|pt|galáxia}} + {{label|tr|galaksi}} + {{label|ko|은하}} + {{label|ur|کہکشاں}} | rdfs:subClassOf = CelestialBody | specificProperties = {{SpecificProperty | ontologyProperty = temperature | unit = kelvin }} {{SpecificProperty | ontologyProperty = orbitalPeriod | unit = day }} @@ -3621,7 +4207,7 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{SpecificProperty | ontologyProperty = periapsis | unit = kilometre }} {{SpecificProperty | ontologyProperty = meanRadius | unit = kilometre }} | owl:equivalentClass = wikidata:Q318 -}}OntologyClass:Game2002156520982017-06-19T10:48:03Z{{Class +}}OntologyClass:Game2002156551682021-09-10T16:32:46Z{{Class | labels = {{label|en|game}} {{label|ga|cluiche}} @@ -3633,12 +4219,14 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|ja|ゲーム}} {{label|nl|spel}} {{label|es|juego}} +{{label|ur|کھیل}} | comments = {{comment|en|a structured activity, usually undertaken for enjoyment and sometimes used as an educational tool}} +{{comment|ur|ایک ساختی سرگرمی ، جو عموما لطف اندوز ہونے کے لیے کی جاتی ہے اور بعض اوقات تعلیمی آلے کے طور پر استعمال ہوتی ہے۔}} | rdfs:subClassOf = Activity | owl:equivalentClass = wikidata:Q11410 -}}OntologyClass:Garden2008713523322017-10-10T13:36:26Z{{Class +}}OntologyClass:Garden2008713581662022-05-12T19:16:15Z{{Class | labels = {{label|en|garden}} {{label|ga|gáirdín}} @@ -3649,17 +4237,21 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|nl|tuin}} {{label|el|κήπος}} {{label|ja|庭園}} +{{label|ur|باغ}} | comments = {{comment|en|A 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)}} +{{comment|ur|باغ ایک منصوبہ بند جگہ ہے ، عام طور پر باہر ، ڈسپلے ، کاشت ، اور پودوں اور فطرت کی دیگر اقسام سے لطف اندوز ہونے کے لیے + (http://en.wikipedia.org/wiki/Garden)}} | rdfs:subClassOf = Place | owl:equivalentClass = wikidata:Q1107656 -}}OntologyClass:GatedCommunity2009475457042015-03-13T12:52:13Z{{Class +}}OntologyClass:GatedCommunity2009475582312022-05-13T09:19:55Z{{Class | labels = {{label|en|Gated community}} {{label|nl|Hofje / gebouw met woongemeenschap}} {{label|de|bewachte Wohnanlage / Siedlung}} +{{label|ur|مسدود برادری}} | rdfs:subClassOf = PopulatedPlace -}}OntologyClass:Gene2004112523352017-10-10T13:37:57Z{{Class +}}OntologyClass:Gene2004112556732021-09-17T11:03:26Z{{Class |labels= {{label|en|gene}} {{label|ga|géin}} @@ -3670,42 +4262,50 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|nl|gen}} {{label|pt|gene}} {{label|fr|gène}} +{{label|ur|نَسبہ}} | rdfs:subClassOf = Biomolecule | owl:equivalentClass = wikidata:Q7187 -}}OntologyClass:GeneLocation2005033468892015-03-22T12:36:34Z{{Class +}}OntologyClass:GeneLocation2005033569552022-03-09T08:51:24Z{{Class | labels = {{label|en|GeneLocation}} + {{label|fr|position du gène}} {{label|nl|locus}} {{label|de|Gen Lokation}} {{label|el|θέση γονιδίων}} {{label|ja|遺伝子座}} + {{label|ur| نَسبہ کا مقام}} | rdfs:subClassOf = owl:Thing -}}OntologyClass:Genre2005919503912016-03-04T05:23:55Z{{Class +}}OntologyClass:Genre2005919566842022-02-28T10:33:34Z{{Class |labels= {{label|en|genre}} +{{label|fr|genre}} {{label|ga|seánra}} {{label|nl|genre}} {{label|de|Genre}} {{label|es|género}} +{{label|ur|صنف}} {{label|el|ύφος}} {{label|ja|ジャンル}} | rdfs:subClassOf = TopicalConcept -}}OntologyClass:Geo:SpatialThing2001622518692017-01-21T14:18:18Z{{Class +}}OntologyClass:Geo:SpatialThing2001622556772021-09-17T11:35:48Z{{Class +|labels= |rdfs:label@en = spatial thing |rdfs:label@de = Objektraum |rdfs:label@fr = objet spatial |rdfs:label@nl = ruimtelijk object -}}OntologyClass:GeologicalPeriod2006714510932016-05-16T17:04:38Z{{Class +{{label|ur|جیو: مقامی چیزیں}} +}}OntologyClass:GeologicalPeriod2006714556792021-09-17T11:38:26Z{{Class |labels= {{label|en|geological period}} {{label|nl|geologische periode}} {{label|de|geologische Periode}} {{label|fr|période géologiqueA}} {{label|el|γεωλογική περίοδος}} +{{label|ur|ارضیاتی دورانیہ}} | rdfs:subClassOf = TimePeriod | owl:disjointWith = Person | owl:equivalentClass = wikidata:Q392928 -}}OntologyClass:GeopoliticalOrganisation200374469862015-03-22T19:00:18Z{{Class +}}OntologyClass:GeopoliticalOrganisation200374556812021-09-17T11:55:13Z{{Class |labels= {{label|en|geopolitical organisation}} {{label|es|organización geopolítica}} @@ -3714,10 +4314,11 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|fr|organisation géopolitique}} {{label|ko|지정학적 조직}} {{label|nl|geopolitieke organisatie}} +{{label|ur|جُغرافیائی سیاسیات تنظیم}} | rdfs:subClassOf = Organisation | specificProperties = {{SpecificProperty | ontologyProperty = populationDensity | unit = inhabitantsPerSquareKilometre }} {{SpecificProperty | ontologyProperty = areaMetro | unit = squareKilometre }} -}}OntologyClass:Ginkgo200375392452015-01-16T09:41:20Z{{Class +}}OntologyClass:Ginkgo200375566012022-02-18T06:03:10Z{{Class |labels= {{label|en|ginkgo}} {{label|nl|Ginkgo biloba}} @@ -3727,8 +4328,12 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|fr|ginkgo}} {{label|pt|ginkgo}} {{label|ja|銀杏属}} +{{label|ur|جنکگو}} | rdfs:subClassOf = Plant -}}OntologyClass:GivenName2004129474922015-04-01T20:21:04Z{{Class + +|comments= +{{comment|ur|چینی درخت پنکھے کے جیسے پتوں والا}} +}}OntologyClass:GivenName2004129556832021-09-17T11:59:54Z{{Class |labels= {{label|en|first name}} {{label|en|given name}} @@ -3739,10 +4344,11 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|ja|名}} {{label|nl|voornaam}} {{label|pl|imię}} +{{label|ur|دیا گیا نام}} | rdfs:subClassOf = Name | owl:equivalentClass = wikidata:Q202444 -}}OntologyClass:Glacier2008011508082016-04-16T06:00:00Z{{Class +}}OntologyClass:Glacier2008011582342022-05-13T09:40:01Z{{Class | labels = {{label|en|glacier}} {{label|ga|oighearshruth}} @@ -3753,22 +4359,26 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|it|ghiacciaio}} {{label|pt|geleira}} {{label|ja|氷河}} +{{label|ur|برف کا تودہ}} | rdfs:subClassOf = NaturalPlace | comments = {{comment|el| Παγετώνες ονομάζονται μεγάλες μάζες πάγου συνήθως κινούμενες λόγω συμπίεσης του χιονιού. }} | owl:equivalentClass = wikidata:Q35666 -}}OntologyClass:Globularswarm2006149515172016-09-18T14:39:59Z{{Class +}}OntologyClass:Globularswarm2006149559082021-09-18T04:46:25Z{{Class | labels = {{label|en|Globular Swarm}} {{label|nl|globulaire zwerm (cluster)}} {{label|de|Kugelschwarm}} {{label|el|Σφαιρωτό σμήνος}} +{{label|ur|کروی غول}} | rdfs:subClassOf = Swarm -}}OntologyClass:Gml: Feature2001624458512015-03-14T20:22:26Z{{Class +}}OntologyClass:Gml: Feature2001624556902021-09-17T12:58:42Z{{Class +|labels= |rdfs:label@en = Feature |rdfs:label@de = Feature |rdfs:label@fr = Caractéristique -}}OntologyClass:Gnetophytes200376470702015-03-23T11:47:59Z{{Class +{{label|ur|جی ایم ایل: خصوصیت}} +}}OntologyClass:Gnetophytes200376582362022-05-13T09:42:51Z{{Class |labels= {{label|en|Gnetophytes}} {{label|de|Gnetophyta}} @@ -3776,20 +4386,26 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|el|Gnetophytes}} {{label|fr|gnétophytes}} {{label|ja|グネツム綱}} +{{label|ur|گمٹیلا پودا}} | rdfs:subClassOf = Plant -}}OntologyClass:GolfCourse2008361479482015-05-25T14:55:16Z{{Class +}}OntologyClass:GolfCourse2008361568742022-03-02T17:00:25Z{{Class | labels = {{label|en|golf course}} +{{label|fr|terrain de golf}} {{label|ga|cúrsa gailf}} {{label|de|Golfplatz}} {{label|el|γήπεδο γκολφ}} {{label|it|campo da golf}} {{label|nl|golfbaan}} +{{label|ur|گالف کا میدان}} | comments = +{{comment|en|In a golf course, holes often carry hazards, defined as special areas to which additional rules of the game apply.}} +{{comment|fr|Dans un parcours de golf, les trous comportent souvent des dangers, définis comme des zones spéciales auxquelles s'appliquent des règles de jeu supplémentaires.}} {{comment|el|Σε ένα γήπεδο γκολφ οι τρύπες συχνά κρύβουν κινδύνους, που ορίζονται ως ειδικές περιοχές για τις οποίες ισχύουν επιπρόσθετοι κανόνες διεξαγωγής του παιχνιδιού.}} +{{comment|ur|زمین کا ایک علاقہ جس میں گولف کے لیے 9 یا 18 سوراخ ہوتے ہیں جن میں سے ہر ایک میں ٹی ، فیئر وے ، اور سبز اور اکثر ایک یا زیادہ قدرتی یا مصنوعی خطرات شامل ہیں۔ - جسے گولف لنکس بھی کہا جاتا ہے۔}} | rdfs:subClassOf = SportFacility | owl:equivalentClass = wikidata:Q1048525 -}}OntologyClass:GolfLeague2002171479932015-05-25T14:59:55Z{{Class +}}OntologyClass:GolfLeague2002171556942021-09-17T13:12:57Z{{Class |labels= {{label|en|golf league}} {{label|ga|sraith gailf}} @@ -3798,10 +4414,12 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|fr|ligue de golf}} {{label|nl|golf competitie}} {{label|pt|liga de golfe}} +{{label|ur|گالف کی انجمن}} |comments = {{comment|en|Golfplayer that compete against each other in Golf}} +{{comment|ur|گالف پلیئر جو گالف میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں۔}} | rdfs:subClassOf = SportsLeague -}}OntologyClass:GolfPlayer2002553523362017-10-10T13:38:36Z{{Class +}}OntologyClass:GolfPlayer2002553556962021-09-17T13:17:53Z{{Class |labels= {{label|en|golf player}} {{label|ga|imreoir gailf}} @@ -3810,18 +4428,21 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|el|παίκτης γκολφ}} {{label|fr|golfeur}} {{label|nl|golfspeler}} +{{label|ur|گالف کا کھلاڑی}} | rdfs:subClassOf = Athlete | owl:equivalentClass = wikidata:Q13156709 -}}OntologyClass:GolfTournament2008190480982015-05-25T15:11:06Z{{Class +}}OntologyClass:GolfTournament2008190566812022-02-28T10:28:47Z{{Class | labels = {{label|en|golf tournament}} +{{label|fr|tournoi de golf}} {{label|ga|comórtas gailf}} {{label|de|Golfturnier}} {{label|it|torneo di golf}} {{label|nl|golf toernooi}} +{{label|ur|گولف کا باہمی مقابلہ}} | rdfs:subClassOf = Tournament | owl:equivalentClass = wikidata:Q15061650 -}}OntologyClass:GovernmentAgency2003726518002017-01-05T06:52:41Z{{Class +}}OntologyClass:GovernmentAgency2003726556982021-09-17T13:30:27Z{{Class |labels= {{label|en|government agency}} {{label|es|agencia del gobierno}} @@ -3831,43 +4452,53 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|nl|orgaan openbaar bestuur}} {{label|ru|Орган исполнительной власти}} {{label|ko|정부 기관}} +{{label|ur|سرکاری محکمہ}} | rdfs:subClassOf=Organisation | owl:equivalentClass = schema:GovernmentOrganization |comments= {{comment|en|A 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.}} {{comment|de|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.}} {{comment|el|Μια κυβερνητική υπηρεσία είναι μόνιμη ή ημι-μόνιμη οργάνωση στο μηχανισμό της κυβέρνησης, η οποία είναι υπεύθυνη για την εποπτεία και διαχείριση συγκεκριμένων λειτουργιών, όπως η υπηρεσία πληροφοριών.}} +{{comment|ur|ایک سرکاری ایجنسی حکومت کی مشینری میں ایک مستقل یا نیم مستقل تنظیم ہے جو مخصوص افعال کی نگرانی اور انتظام کے لیے ذمہ دار ہے ، جیسے کہ ایک انٹیلی جنس ایجنسی}} | owl:equivalentClass = wikidata:Q327333 -}}OntologyClass:GovernmentCabinet20011539502742016-01-11T20:11:28Z{{Class +}}OntologyClass:GovernmentCabinet20011539574182022-04-17T20:23:24Z{{Class |labels= -{{label|en|cabinet of ministers}} -{{label|nl|kabinet (regeringsploeg)}} + {{label|en|cabinet of ministers}} + {{label|fr|cabinet des ministres}} + {{label|nl|kabinet (regeringsploeg)}} + {{label|ur|وزراء کی کابینہ}} | rdfs:subClassOf=GovernmentAgency |comments= {{comment|en|A cabinet is a body of high-ranking state officials, typically consisting of the top leaders of the executive branch.}} -}}OntologyClass:GovernmentType2002390528122018-02-08T19:51:24Z{{Class +{{comment|fr|Un cabinet est une entité composée d'officiels de l'état de haut niveau, formée typiquement des dirigeants supérieurs de l'exécutif.}} +{{comment|ur|کابینہ اعلی درجے کے ریاستی عہدیداروں کا ایک ادارہ ہے ، عام طور پر ایگزیکٹو برانچ کے اعلی رہنماؤں پر مشتمل ہوتا ہے۔}} +}}OntologyClass:GovernmentType2002390549942021-09-09T11:47:33Z{{Class | labels = {{label|en|Government Type}} {{label|fr|régime politique}} {{label|el|Είδη Διακυβέρνησης}} {{label|de|Regierungsform}} {{label|nl|regeringsvorm}} +{{label|ur|حکومت کی قسم}} | comments = {{comment|en|a form of government}} +{{comment|ur|حکومت کی ایک شکل}} | rdfs:subClassOf = Type | specificProperties = | owl:equivalentClass = -}}OntologyClass:GovernmentalAdministrativeRegion2006559330772014-03-27T17:42:20Z{{Class +}}OntologyClass:GovernmentalAdministrativeRegion2006559552242021-09-10T18:40:17Z{{Class | labels = {{label|en|governmental administrative region}} {{label|de|staatliche Verwaltungsregion}} {{label|fr|région administrative d'état}} {{label|nl|gebied onder overheidsbestuur}} +{{label|ur|حکومتی انتظامی علاقہ}} | comments = {{comment|en|An administrative body governing some territorial unity, in this case a governmental administrative body}} +{{comment|ur|ایک انتظامی ادارہ جو کچھ علاقائی وحدت کو کنٹرول کرتا ہے ، اس صورت میں ایک سرکاری انتظامی ادارہ ہے۔}} | rdfs:subClassOf = AdministrativeRegion | owl:equivalentClass = -}}OntologyClass:Governor200377480992015-05-25T15:11:10Z{{Class +}}OntologyClass:Governor200377557022021-09-17T13:52:46Z{{Class |labels= {{label|en|governor}} {{label|ga|gobharnóir}} @@ -3876,9 +4507,10 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|el|κυβερνήτης}} {{label|fr|gouverneur}} {{label|ja|知事}} +{{label|ur|حاکم}} | rdfs:subClassOf = Politician | owl:equivalentClass = wikidata:Q132050 -}}OntologyClass:GrandPrix200378479372015-05-25T14:54:17Z{{Class +}}OntologyClass:GrandPrix200378582562022-05-13T10:42:14Z{{Class | labels = {{label|en|Grand Prix}} {{label|ga|Grand Prix}} @@ -3888,10 +4520,11 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|fr|grand prix}} {{label|nl|grand prix}} {{label|ja| グランプリ}} +{{label|ur|موٹر کار کی دوڑ}} | rdfs:subClassOf = SportsEvent | specificProperties = {{SpecificProperty | ontologyProperty = course | unit = kilometre }} {{SpecificProperty | ontologyProperty = distance | unit = kilometre }} -}}OntologyClass:Grape200379481002015-05-25T15:11:15Z{{Class +}}OntologyClass:Grape200379557042021-09-17T13:59:48Z{{Class | labels = {{label|en| grape}} {{label|ga|fíonchaor}} @@ -3902,42 +4535,53 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|ja| ブドウ}} {{label|nl| druif}} {{label|es|uva}} +{{label|ur|انگور}} | rdfs:subClassOf = FloweringPlant | owl:equivalentClass = wikidata:Q10978 -}}OntologyClass:GraveMonument2009222469952015-03-22T19:18:54Z{{Class +}}OntologyClass:GraveMonument2009222566572022-02-28T09:25:49Z{{Class | labels = {{label|en|grave stone or grave monument}} +{{label|fr|pierre tombale ou monument funéraire}} {{label|nl|grafsteen of grafmonument}} {{label|de|Grabdenkmal}} +{{label|ur|قبر کی یادگار}} | comments = {{comment|en|A monument erected on a tomb, or a memorial stone.}} +{{comment|ur|ایک یادگار ایک مقبرے پر کھڑی کی گئی ، یا ایک یادگار پتھر}} | rdfs:subClassOf = Monument -}}OntologyClass:GreenAlga200380396122015-01-20T14:59:19Z{{Class +}}OntologyClass:GreenAlga200380550592021-09-09T14:21:03Z{{Class | labels= {{label|en|green alga}} {{label|nl|groenwieren}} {{label|de|Grünalge}} {{label|el|πράσινο φύκος}} +{{label|ur|سبز طحالب}} {{label|fr|algue verte}} {{label|es|alga verde}} {{label|ja|緑藻}} | rdfs:subClassOf = Plant -}}OntologyClass:GridironFootballPlayer2002287526712017-11-18T09:19:23Z{{Class +}}OntologyClass:GridironFootballPlayer2002287574692022-04-24T09:25:49Z{{Class | labels = {{label|en|gridiron football player}} {{label|nl|Gridiron voetballer}} {{label|de|Gridiron Footballspieler}} +{{label|ur|گرڈیرون فٹ بال کھلاڑی}} {{label|fr|joueur de football américain gridiron}} +|comments= +{{comment |en|Gradiron football, also called North American football, is a family of soccer team games played primarily in the United States and Canada.}} + +{{comment|ur|گریڈیرون فٹ بال ، جسے شمالی امریکی فٹ بال بھی کہا جاتا ہے ، فٹ بال ٹیم کھیلوں کا ایک خاندان ہے جو بنیادی طور پر ریاستہائے متحدہ اور کینیڈا میں کھیلا جاتا ہے}} | rdfs:subClassOf = Athlete | owl:equivalentClass = wikidata:Q14128148 -}}OntologyClass:GrossDomesticProduct2007926507162016-04-13T14:34:54Z{{Class +}}OntologyClass:GrossDomesticProduct2007926557122021-09-17T14:49:30Z{{Class | labels= {{label|en|gross domestic product}} {{label|ga|olltáirgeacht intíre}} {{label|de|Bruttoinlandsprodukt}} {{label|nl|bruto nationaal product}} {{label|el|ακαθάριστο εγχώριο προϊόν}} -}}OntologyClass:GrossDomesticProductPerCapita2007928510742016-05-12T16:54:01Z{{Class +{{label|ur|مجموعی ملکی پیداوار}} +}}OntologyClass:GrossDomesticProductPerCapita2007928550662021-09-09T14:29:05Z{{Class | labels = {{label|en|gross domestic product per capita}} {{label|fr|produit intérieur brut par habitant}} @@ -3945,7 +4589,10 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|de|Bruttoinlandsprodukt pro Kopf}} {{label|nl|bruto nationaal product per hoofd van de bevolking}} {{label|el|ακαθάριστο εγχώριο προϊόν κατά κεφαλήν}} -}}OntologyClass:Group2005939523372017-10-10T13:39:14Z{{Class +{{label|ur|مجموعی گھریلو پیداوار فی کس}} +|comments = +{{comment|ur|فی کس جی ڈی پی قومی حدود کے اندر پیدا ہونے والی مارکیٹنگ اشیاء اور خدمات کے مجموعے کی پیمائش کرتا ہے ، جو اس علاقے میں رہنے والے ہر شخص کے لیے اوسط ہے}} +}}OntologyClass:Group2005939549892021-09-09T11:40:29Z{{Class |labels= {{label|en|group}} {{label|es|grupo}} @@ -3957,12 +4604,14 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|ja|集団}} {{label|nl|groep}} {{label|ga|grúpa}} +{{label|ur|گروہ}} | rdfs:subClassOf = Organisation, schema:Organization | comments = {{comment|en|An (informal) group of people.}} {{comment|fr|un groupe (informel) de personnes.}} {{comment|el|Μια συνήθως άτυπη ομάδα ανθρώπων.}} -}}OntologyClass:Guitar2007462523522017-10-10T13:55:22Z{{Class +{{comment|ur|لوگوں کا ایک غیر رسمی گروہ }} +}}OntologyClass:Guitar2007462557142021-09-17T14:54:05Z{{Class | labels = {{ label|en|guitar}} {{ label|fr|guitare}} @@ -3973,16 +4622,18 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{ label|el|κιθάρα}} {{ label|ga|giotar}} {{ label|ja|ギター}} + {{ label|ur|ستار}} | comments = {{ comment|en|Describes the guitar}} {{ comment|fr|Décrit la guitare}} {{ comment|es|Describe la guitarra}} {{ comment|nl|beschrijving van de gitaar}} {{ comment|el|Περιγράφει την κιθάρα}} + {{ comment|ur|ایک تار والا میوزیکل آلہ ، جس میں فنگر فنگر بورڈ ہوتا ہے ، عام طور پر کٹے ہوئے اطراف ، اور چھ یا بارہ تار ، انگلیوں یا پلیکٹرم سے توڑنے یا جھومنے سے بجائے جاتے ہیں۔}} | rdfs:subClassOf = Instrument <!--| owl:sameAs = <http://www.semanticweb.org/ontologies/2011/3/InstrumentOntology.owl#Guitar>--> | owl:equivalentClass = wikidata:Q6607 -}}OntologyClass:Guitarist2008178523532017-10-10T13:56:02Z{{Class +}}OntologyClass:Guitarist2008178561042021-11-05T11:11:02Z{{Class | labels = {{label|en|guitarist}} {{label|ga|giotáraí}} @@ -3993,22 +4644,27 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|it|chitarrista}} {{label|el|κιθαρίστας}} {{label|ja|ギター演奏者}} +{{label|ur|ستار بجانے والا}} | rdfs:subClassOf = Instrumentalist | owl:equivalentClass = wikidata:Q855091 -}}OntologyClass:Gymnast2006111523542017-10-10T13:56:27Z{{Class +}}OntologyClass:Gymnast2006111568752022-03-02T17:02:28Z{{Class | labels = {{label|en|gymnast}} +{{label|fr|gymnaste}} {{label|ga|gleacaí}} {{label|nl|turner}} {{label|da|gymnast}} {{label|de|Turner}} {{label|el|γυμναστής}} {{label|ja|体操選手}} +{{label|ur|کسرتی}} | comments = {{comment|en|A gymnast is one who performs gymnastics}} +{{comment|fr|Un gymnaste est une personne qui pratique la gymnastique}} {{comment|el|Ένας γυμναστής είναι ένας που εκτελεί γυμναστικές ασκήσεις}} +{{comment|ur|جمناسٹ وہ ہوتا ہے جو جمناسٹکس کرتا ہے}} | rdfs:subClassOf = Athlete -}}OntologyClass:HandballLeague2002172523512017-10-10T13:54:28Z{{Class +}}OntologyClass:HandballLeague2002172557432021-09-17T17:48:47Z{{Class | labels = {{label|en|handball league}} {{label|da|håndboldliga}} @@ -4016,10 +4672,12 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|el|Ομοσπονδία Χειροσφαίρισης}} {{label|fr|ligue de handball}} {{label|nl|handbal competitie}} +{{label|ur|ہینڈ بال کی انجمن}} | comments = {{comment|en|a group of sports teams that compete against each other in Handball}} +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروپ جو ہینڈ بال میں ایک دوسرے کے خلاف مقابلہ کرتا ہے}} | rdfs:subClassOf = SportsLeague -}}OntologyClass:HandballPlayer2005860523492017-10-10T13:52:00Z{{Class +}}OntologyClass:HandballPlayer2005860550732021-09-09T14:59:56Z{{Class | labels = {{label|en|handball player}} {{label|ga|imreoir liathróid láimhe}} @@ -4029,9 +4687,12 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|es|jugador de balonmano}} {{label|fr|joueur de handball}} {{label|nl|handballer}} +{{label|ur|ہینڈ بال کا کھلاڑی}} +|comments = +{{comment|ur|ایک کھیل جِس میں دو یا چار کھِلاڑی بَند احاطے میں ربَڑ کی چھوٹی گیند کو ہاتھوں سے دیوار پَر مارتے ہیں}} | rdfs:subClassOf = Athlete | owl:equivalentClass = wikidata:Q13365117 -}}OntologyClass:HandballTeam2008715523502017-10-10T13:52:34Z{{Class +}}OntologyClass:HandballTeam2008715584732022-05-14T18:39:08Z{{Class | labels = {{label|en|handball team}} {{label|ga|foireann liathróid láimhe}} @@ -4041,15 +4702,17 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|el|ομάδα χειροσφαίρισης}} {{label|it|squadra di pallamano}} {{label|nl|handbal team}} +{{label|ur|ہینڈ بال جماعت}} | rdfs:subClassOf = SportsTeam | owl:equivalentClass = wikidata:Q10517054 -}}OntologyClass:HighDiver20011181515132016-09-18T11:11:07Z{{Class +}}OntologyClass:HighDiver20011181561082021-11-05T11:24:09Z{{Class |labels= {{label|de|Turmspringer}} {{label|nl|schoonspringer}} {{label|en|high diver}} +{{label|ur| اونچائی سے پانی میں ڈبکی لگانے والا }} |rdfs:subClassOf=Athlete -}}OntologyClass:Historian2008208508122016-04-16T06:14:28Z{{Class +}}OntologyClass:Historian2008208550772021-09-09T15:05:28Z{{Class | labels = {{label|en|historian}} {{label|ga|staraí}} @@ -4058,9 +4721,10 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|de|Historiker}} {{label|it|storico}} {{label|el|ιστορικός}} +{{label|ur|مورخ}} {{label|ja|歴史学者}} | rdfs:subClassOf = Writer -}}OntologyClass:HistoricBuilding200381528242018-02-08T20:04:20Z{{Class +}}OntologyClass:HistoricBuilding200381561092021-11-05T11:26:56Z{{Class | labels = {{label|en|historic building}} {{label|ga|foirgneamh stairiúil}} @@ -4069,9 +4733,10 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|nl|historisch gebouw}} {{label|fr|bâtiment historique}} {{label|ja|歴史的建造物}} +{{label|ur|تاریخی عمارت}} | rdfs:subClassOf = Building, schema:LandmarksOrHistoricalBuildings | owl:equivalentClass = -}}OntologyClass:HistoricPlace200382528222018-02-08T20:01:13Z +}}OntologyClass:HistoricPlace200382559552021-09-18T06:18:01Z {{Class | labels = {{label|en|historic place}} @@ -4080,87 +4745,114 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|nl|plaats van geschiedkundig belang}} {{label|el|ιστορικός χώρος}} {{label|fr|site historique}} +{{label|ur|تاریخی مقام}} | rdfs:subClassOf = Place, schema:LandmarksOrHistoricalBuildings | owl:equivalentClass = -}}OntologyClass:HistoricalAreaOfAuthority20011604506422016-03-22T13:32:28Z{{Class +}}OntologyClass:HistoricalAreaOfAuthority20011604550822021-09-09T15:22:17Z{{Class | labels = {{label|en|ancient area of jurisdiction of a person (feudal) or of a governmental body}} {{label|nl|gebied dat vroeger onder het gezag viel van een heer of vrouwe of een instelling van kerk of staat}} +{{label|ur|کسی شخص (جاگیردار) یا سرکاری ادارے کے دائرہ اختیار کا قدیم علاقہ}} | comments = {{comment|en|Mostly for feudal forms of authority, but can also serve for historical forms of centralised authority}} +{{comment|ur|زیادہ تر اختیارات کی جاگیردارانہ شکلوں کے لیے ، لیکن مرکزی اختیار کی تاریخی شکلوں کے لیے بھی کام کر سکتا ہے}} | rdfs:subClassOf = AdministrativeRegion | owl:equivalentClass = -}}OntologyClass:HistoricalCountry2009443507262016-04-13T14:49:19Z{{Class -| labels = {{label|en|Historical country}} +}}OntologyClass:HistoricalCountry2009443584802022-05-14T18:48:54Z{{Class +| labels = +{{label|en|Historical country}} {{label|ga|tír stairiúil}} {{label|fr|ancien pays}} {{label|de|historischer Land}} {{label|nl|voormalig land}} -| comments = {{comment|en|A place which used to be a country.}} +{{label|ur|تاریخی ملک}} +| comments = +{{comment|en|A place which used to be a country.}} +{{comment|en|ایک ایسی جگہ جو ایک ملک ہوا کرتی تھی۔}} | rdfs:subClassOf = Country -}}OntologyClass:HistoricalDistrict2009446507222016-04-13T14:43:49Z{{Class +}}OntologyClass:HistoricalDistrict2009446559572021-09-18T06:20:33Z{{Class | labels = {{label|en|Historical district}} {{label|ga|ceantar stairiúil}} {{label|fr|ancien département}} {{label|nl|voormalig kwartier of district}} {{label|de|historischer Kreis / Bezirk}} -| comments = {{comment|en|a place which used to be a district.}} +{{label|ur|تاریخی ضلع}} +| comments = +{{comment|en|a place which used to be a district.}} +{{comment|ur|یک ایسی جگہ جو پہلے ضلع ہوتی تھی۔}} | rdfs:subClassOf = District -}}OntologyClass:HistoricalEvent20011954526722017-11-18T09:20:52Z{{Class +}}OntologyClass:HistoricalEvent20011954550842021-09-09T15:30:30Z{{Class | labels = {{label|en|historical event}} {{label|nl|historische gebeurtenis}} {{label|fr|évènement historique}} {{label|de|historisches Ereignis}} +{{label|ur|تاریخی واقعہ}} | comments = {{comment|en|an event that is clearly different from strictly personal events and had historical impact}} +{{comment|ur|ایک ایسا واقعہ جو ذاتی واقعات سے واضح طورپرمختلف ہوجونمایاں، تاریخ بدلنےوالااثررکھتا ہے}} | rdfs:subClassOf = SocietalEvent -}}OntologyClass:HistoricalPeriod2005938483412015-05-25T16:23:11Z{{Class +}}OntologyClass:HistoricalPeriod2005938569582022-03-09T09:06:05Z{{Class |labels= -{{label|en|historical period}} -{{label|el|ιστορική περίοδος}} -{{label|nl|historische periode}} -{{label|de|historische Periode}} -{{label|ga|tréimhse sa stair}} + {{label|en|historical period}} + {{label|fr|période historique}} + {{label|el|ιστορική περίοδος}} + {{label|nl|historische periode}} + {{label|de|historische Periode}} + {{label|ga|tréimhse sa stair}} + {{label|ur|تاریخی دور}} | comments= -{{comment|en| A historical Period should be linked to a Place by way of the property dct:spatial (already defined)}} + {{comment|en|A historical Period should be linked to a Place by way of the property dct:spatial (already defined)}} + {{comment|fr|Une période historique doit être liée à un lieu au moyen de la propriété dct:spatial (déjà définie)}} + {{comment|ur|یک تاریخی ادوار کو جائیداد کے ذریعے کسی جگہ سے جوڑا جانا چاہیے۔}} | rdfs:subClassOf = TimePeriod | owl:equivalentClass = cidoccrm:E4_Period | owl:disjointWith = Person | owl:equivalentClass = wikidata:Q11514315 -}}OntologyClass:HistoricalProvince2009447507272016-04-13T14:50:41Z{{Class +}}OntologyClass:HistoricalProvince2009447559622021-09-18T06:27:01Z{{Class | labels = {{label|en|Historical province}} {{label|ga|cúige stairiúil}} {{label|fr|Ancienne province}} {{label|de|historischer Provinz}} {{label|nl|voormalige provincie}} +{{label|ur|تاریخی صوبہ}} | comments = {{comment|en|A place which used to be a province.}} +{{comment|ur|یک ایسی جگہ جو ایک صوبہ ہوا کرتی تھی۔}} | rdfs:subClassOf = Province -}}OntologyClass:HistoricalRegion2009445507212016-04-13T14:42:13Z{{Class -| labels = {{label|en|Historical region}} -{{label|ga|réigiún stairiúil}} -{{label|fr|Ancienne région}} -{{label|de|historischer Region}} -{{label|nl|voormalige regio}} -| comments = {{comment|en|a place which used to be a region.}} +}}OntologyClass:HistoricalRegion2009445569632022-03-09T09:23:54Z{{Class +| labels = + {{label|en|Historical region}} + {{label|ga|réigiún stairiúil}} + {{label|fr|Ancienne région}} + {{label|de|historischer Region}} + {{label|nl|voormalige regio}} + {{label|ur|تاریخی علاقہ}} +| comments = + {{comment|en|a place which used to be a region.}} + {{comment|fr|Lieu qui était autrefois une région.}} + {{comment|ur|ایک ایسی جگہ جو ایک علاقہ ہوا کرتی تھی}} | rdfs:subClassOf = Region | owl:equivalentClass = wikidata:Q1620908 -}}OntologyClass:HistoricalSettlement2009444507192016-04-13T14:39:56Z{{Class +}}OntologyClass:HistoricalSettlement2009444559452021-09-18T05:53:30Z{{Class | labels = {{label|en|Historical settlement}} {{label|ga|áit lonnaithe stairiúil}} {{label|fr|ancien ville ou village}} {{label|nl|voormalige stad of dorp}} {{label|de|historischer Siedlung}} +{{label|de|historischer Siedlung}} +{{label|ur|تاریخی آبادکاری}} | comments = {{comment|en|A place which used to be a city or town or village.}} +{{comment|ur|وہ جگہ جو پہلے شہر یا قصبہ یا گاؤں ہوا کرتی تھی}} | rdfs:subClassOf = Settlement -}}OntologyClass:HockeyClub20011257484302015-07-02T13:00:44Z{{Class +}}OntologyClass:HockeyClub20011257584982022-05-14T19:17:10Z{{Class | labels = {{label|en|hockey club}} {{label|de|Hockeyverein}} {{label|nl|hockeyclub}} +{{label|ur|ہاکی کی تنظیم}} | rdfs:subClassOf = SportsClub -}}OntologyClass:HockeyTeam200383467822015-03-21T19:58:41Z{{Class +}}OntologyClass:HockeyTeam200383550882021-09-09T15:43:28Z{{Class | labels = {{label|en|hockey team}} {{label|nl|hockeyploeg}} @@ -4168,9 +4860,10 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|el|ομάδα χόκεϊ}} {{label|fr|équipe de hockey}} {{label|sl|Hokejska ekipa}} +{{label|ur|ہاکی کھیل کی جماعت}} | rdfs:subClassOf = SportsTeam | owl:equivalentClass = wikidata:Q4498974 -}}OntologyClass:Holiday2004304528462018-02-08T20:34:11Z{{Class +}}OntologyClass:Holiday2004304559472021-09-18T05:57:41Z{{Class | labels = {{label|en|holiday}} {{label|ga|lá saoire}} @@ -4181,32 +4874,38 @@ Includes concentration, extermination, transit, detention, internment, (forced) {{label|el|αργία}} {{label|ja|祝日}} {{label|ko|휴일}} + {{label|ur|چھٹی}} | comments = {{comment|fr|Un jour férié est un jour de fête civile ou religieuse, ou commémorant un événement.}} {{comment|de|Unter einem Feiertag oder Festtag wird allgemein ein arbeitsfreier Tag mit besonderer Feiertagsruhe verstanden.}} + {{comment|ur|ام تعطیل سول یا مذہبی جشن کا دن ہے ، یا کسی تقریب کی یاد میں}} | rdfs:subClassOf = TimeInterval | owl:equivalentClass = wikidata:Q1445650 }} -<references/>OntologyClass:HollywoodCartoon2006103526732017-11-18T09:24:04Z{{Class +<references/>OntologyClass:HollywoodCartoon2006103559702021-09-18T06:39:45Z{{Class | labels = {{label|en|hollywood cartoon}} {{label|nl|Hollywood cartoon}} {{label|el|κινούμενα σχέδια του Hollywood}} {{label|de|Hollywood Cartoon}} +{{label|ur|ہالی ووڈ کارٹون}} | rdfs:subClassOf = Cartoon -}}OntologyClass:Hormone20011746515332016-10-06T16:18:25Z{{Class +}}OntologyClass:Hormone20011746569502022-03-09T08:35:55Z{{Class | labels = -{{label|en|Hormone}} -{{label|nl|hormoon}} -| comments = - {{comment|en| -A 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.}} - {{comment|nl|Hormonen zijn signaalstoffen die door endocriene klieren via de bloedbaan aan doelcellen of -organen worden afgegeven en fysiologische processen en gedrag reguleren}} + {{label|en|Hormone}} + {{label|fr|Hormone}} + {{label|nl|hormoon}} + {{label|ur|اعضاء کی خوراک}} +| comments = + {{comment|en|A 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.}} + {{comment|fr|Une hormone fait partie d'une classe de molécules de signalisation produites par les glandes d'organismes multicellulaires qui sont transportées par le système circulatoire pour cibler des organes distants afin de réguler la physiologie et le comportement.}} + {{comment|nl|Hormonen zijn signaalstoffen die door endocriene klieren via de bloedbaan aan doelcellen of -organen worden afgegeven en fysiologische processen en gedrag reguleren}} + {{comment|ur|ایک مادہ جو غدود سے نکل کر خون میں شامل ہوتا ہےاورگردش کے نظام کے ذریعے دور دراز کے اعضاء کو نشانہ بناتے ہیں تاکہ جسمانیات اور طرز عمل کو کنٹرول کریں}} | rdfs:subClassOf = Biomolecule | owl:equivalentClass = wikidata:Q8047 -}}OntologyClass:Horse20011371523222017-10-10T13:26:14Z{{Class +}}OntologyClass:Horse20011371559492021-09-18T06:04:32Z{{Class | labels = {{label|en|horse}} {{label|fr|cheval}} @@ -4215,56 +4914,62 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|da|hest}} {{label|de|Pferd}} {{label|ja|ウマ}} +{{label|ur|گھوڑا}} | rdfs:subClassOf = Mammal -}}OntologyClass:HorseRace2007996510722016-05-12T16:45:52Z{{Class +}}OntologyClass:HorseRace2007996559732021-09-18T06:45:37Z{{Class | labels = {{label|en|horse race}} {{label|de|Pferderennen}} {{label|fr|course de chevaux}} {{label|el|αγώνας ιππασίας}} {{label|nl|paardenrace}} +{{label|ur|گھوڑا دوڑ میں مقابلہ کرنا}} | rdfs:subClassOf = Race -}}OntologyClass:HorseRider2007601510732016-05-12T16:50:29Z{{Class +}}OntologyClass:HorseRider2007601551512021-09-10T09:53:45Z{{Class |labels = {{label|en|horse rider}} {{label|fr|cavalier}} {{label|ga|marcach}} {{label|de|Reiter}} +{{label|ur|گھڑ سوار}} {{label|nl|paardrijder}} {{label|el|ιππέας}} | rdfs:subClassOf = Athlete -}}OntologyClass:HorseTrainer2006151333572014-04-02T16:43:48Z{{Class +}}OntologyClass:HorseTrainer2006151566732022-02-28T10:07:11Z{{Class | labels = {{label|en|horse trainer}} {{label|de|Pferdetrainer}} {{label|el|εκπαιδευτής αλόγων}} +{{label|fr|entraineur de chevaux}} {{label|ja|調教師}} {{label|nl|paardentrainer}} +{{label|ur|گھوڑا سدھانے والا}} | rdfs:subClassOf = Person -}}OntologyClass:Hospital200384523212017-10-10T13:25:42Z{{Class -| labels = -{{label|da| hospital}} -{{label|de|Krankenhaus}} +}}OntologyClass:Hospital20013647562932022-02-16T11:39:34Z{{Class +| labels = {{label|da| hospital}} + {{label|de|Krankenhaus}} {{label|en|hospital}} -{{label|ga|ospidéal}} -{{label|el|νοσοκομείο}} -{{label|nl|ziekenhuis}} -{{label|fr|hôpital}} + {{label|ga|ospidéal}} + {{label|el|νοσοκομείο}} + {{label|nl|ziekenhuis}} + {{label|fr|hôpital}} {{label|ko|병원}} -{{label|pt|hospital}} -{{label|ja|病院}} -| rdfs:subClassOf = Building -| owl:equivalentClass = schema:Hospital, wikidata:Q16917 -}}OntologyClass:HotSpring2006657498562015-12-17T20:30:36Z{{Class + {{label|pt|hospital}} + {{label|ur|ہسپتال}} + +| rdfs:subClassOf = building +}}OntologyClass:HotSpring2006657580332022-05-09T16:59:18Z{{Class | labels = {{label|en|hot spring}} +{{label|fr|source d'eau chaude}} {{label|ga|foinse the}} {{label|nl|warmwaterbron}} {{label|de|heiße Quelle}} +{{label|ur|گرم موسم بہار}} {{label|ja|温泉}} {{label|pt|fonte termal}} | rdfs:subClassOf = NaturalPlace | owl:equivalentClass = wikidata:Q177380 -}}OntologyClass:Hotel2002509523202017-10-10T13:25:10Z{{Class +}}OntologyClass:Hotel2002509561292022-01-23T08:07:07Z{{Class | labels = {{label|en|hotel}} {{label|ga|óstán}} @@ -4276,46 +4981,54 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|fr|hôtel}} {{label|ko|호텔}} {{label|nl|hotel}} +{{label|ur|سرائے}} | rdfs:subClassOf = Building | owl:equivalentClass = schema:Hotel, wikidata:Q27686 -}}OntologyClass:HumanGene2005027482112015-05-25T15:22:18Z{{ Class +}}OntologyClass:HumanGene2005027566912022-02-28T10:48:54Z{{ Class |labels= {{label|en|HumanGene}} {{label|ga|géin duine}} {{label|de|Humangen}} {{label|el|ανθρώπινο γονίδιο}} +{{label|fr|gène humain}} {{label|ja|ヒト遺伝子}} {{label|nl|menselijk gen}} +{{label|ur|انسانی نَسبہ}} | rdfs:subClassOf = Gene -}}OntologyClass:HumanGeneLocation2005034470202015-03-22T22:01:05Z{{Class +}}OntologyClass:HumanGeneLocation2005034573352022-03-31T10:41:48Z{{Class | labels = -{{label|en|HumanGeneLocation}} -{{label|de|Humangen Lokation}} -{{label|el|τοποθεσία του ανθρώπινου γονιδίου}} -{{label|ja|ヒト遺伝子座}} -{{label|nl|menselijk genoom locatie}} + {{label|en|HumanGeneLocation}} + {{label|fr|Position de gène chez l'homme}} + {{label|de|Humangen Lokation}} + {{label|el|τοποθεσία του ανθρώπινου γονιδίου}} + {{label|ja|ヒト遺伝子座}} + {{label|nl|menselijk genoom locatie}} + {{label|ur|انسانی نَسبہ کا مقام}} | rdfs:subClassOf = GeneLocation -}}OntologyClass:Humorist2008033515222016-09-18T15:15:18Z{{Class +}}OntologyClass:Humorist2008033563152022-02-16T12:33:46Z{{Class | labels = {{label|en|humorist}} {{label|nl|komiek}} {{label|el|χιουμορίστας}} {{label|de|Humorist}} {{label|fr|humoriste}} +{{label|ur|ظریف}} {{label|ja|喜劇作家または喜劇俳優}} | rdfs:subClassOf = Artist -}}OntologyClass:IceHockeyLeague2002173345212014-04-08T15:45:56Z{{Class +}}OntologyClass:IceHockeyLeague2002173587692022-05-16T19:46:23Z{{Class | labels = {{label|en|ice hockey league}} {{label|de|Eishockey-Liga}} {{label|el|πρωτάθλημα χόκεϋ}} {{label|fr|ligue d'hockey sur glace}} {{label|nl|ijshockey competitie}} +{{label|ur|برفانی ہاکی کی انجمن}} | rdfs:subClassOf = SportsLeague | comments = {{comment|en|a group of sports teams that compete against each other in Ice Hockey.}} -}}OntologyClass:IceHockeyPlayer200385465822015-03-19T15:49:22Z{{Class +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروپ جو برفانی ہاکی میں ایک دوسرے سے مقابلہ کرتا ہے}} +}}OntologyClass:IceHockeyPlayer200385563242022-02-16T12:42:54Z{{Class | labels = {{label|en|ice hockey player}} {{label|de|Eishockeyspieler}} @@ -4323,16 +5036,18 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|fr|joueur de hockey sur glace}} {{label|nl|ijshockeyspeler}} {{label|ko|아이스하키 선수}} +{{label|ur|برفانی ہاکی کا کھلاڑی}} | rdfs:subClassOf = WinterSportPlayer | owl:equivalentClass = wikidata:Q11774891 -}}OntologyClass:Identifier20011969526752017-11-18T09:32:45Z{{Class +}}OntologyClass:Identifier20011969563262022-02-16T12:44:59Z{{Class | labels= {{label|en|identifier}} {{label|nl|identificator}} {{label|de|Bezeichner}} {{label|fr|identifiant}} +{{label|ur|شناخت کنندہ}} | owl:equivalentClass = wikidata:Q6545185 -}}OntologyClass:Ideology2003260508162016-04-16T06:52:39Z{{Class +}}OntologyClass:Ideology2003260563292022-02-16T12:48:27Z{{Class | labels = {{label|en|ideology}} {{label|ga|idé-eolaíocht}} @@ -4342,12 +5057,14 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|el|ιδεολογία}} {{label|pt|ideologia}} {{label|ja|イデオロギー}} +{{label|ur|نظریہ}} | rdfs:subClassOf = TopicalConcept | comments = {{comment|en|for example: Progressivism_in_the_United_States, Classical_liberalism}} {{comment|el|για παραδειγμα: Προοδευτισμός στις ΗΠΑ, κλασικός φιλελευθερισμός}} + {{comment|ur|مثال کے طور پر: ریاستہائے متحدہ میں ترقی پسندی، کلاسیکی لبرل ازم}} | owl:equivalentClass = wikidata:Q7257, d0:CognitiveEntity -}}OntologyClass:Image2009565521282017-06-19T11:16:56Z{{Class +}}OntologyClass:Image2009565563342022-02-16T12:52:48Z{{Class | labels = {{label|en|image}} {{label|fr|image}} @@ -4356,21 +5073,25 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|da|billede}} {{label|de|Bild}} {{label|ja|画像}} +{{label|ur|تصویر}} | comments = {{comment|en|A document that contains a visual image}} +{{comment|ur|ایک دستاویز جس میں بصری عکس ہو۔}} | rdfs:subClassOf = Document | owl:equivalentClass = foaf:Image, http://www.w3.org/ns/ma-ont#Image -}}OntologyClass:InformationAppliance2006186461962015-03-18T09:36:03Z{{Class +}}OntologyClass:InformationAppliance2006186563372022-02-16T12:56:12Z{{Class | labels = {{label|en|information appliance}} {{label|de|Datengerät}} {{label|el|συσκευή πληροφορικής}} {{label|es|dispositivo electrónico}} +{{label|ur| معلوماتی آلات}} | comments = {{comment|en|An information device such as PDAs or Video game consoles, etc.}} +{{comment|ur|معلوماتی آلہ جیسے پی ڈی اے یا ویڈیو گیم کنسولز وغیرہ}} | rdfs:subClassOf = Device | owl:equivalentClass = wikidata:Q1067263 -}}OntologyClass:Infrastructure200386521052017-06-19T10:54:56Z{{Class +}}OntologyClass:Infrastructure200386552452021-09-10T19:27:19Z{{Class | labels = {{label|en|infrastructure}} {{label|da|infrastruktur}} @@ -4379,9 +5100,16 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|fr|infrastructure}} {{label|nl|infrastructure}} {{label|ja|インフラストラクチャー}} +{{label|ur|بنیادی ڈھانچہ}} | rdfs:subClassOf = ArchitecturalStructure | specificProperties = {{SpecificProperty | ontologyProperty = length | unit = kilometre }} -}}OntologyClass:InlineHockeyLeague2002174479382015-05-25T14:54:21Z{{Class +}}OntologyClass:Infrastucture20013496568012022-02-28T21:51:06Z{{Class +| labels = + {{label|en|infrastructure}} + {{label|fr|infrastructure}} + {{label|ur|بنیادی ڈھانچہ}} +| rdfs:subClassOf =ArchitecturalStructure +}}OntologyClass:InlineHockeyLeague2002174578752022-05-04T09:11:26Z{{Class | rdfs:subClassOf = SportsLeague | labels = {{label|en|inline hockey league}} @@ -4389,10 +5117,12 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|el|πρωτάθλημα χόκεϋ inline }} {{label|nl|inlinehockey competitie}} {{label|de|Inlinehockey Liga}} +{{label|ur|ان لائن ہاکی انجمن}} | comments = {{comment|en| group of sports teams that compete against each other in Inline Hockey.}} +{{comment|ur|کھیلوں کی ٹیموں کا گروپ جو ان لائن ہاکی میں ایک دوسرے سے مقابلہ کرتے ہیں۔}} -}}OntologyClass:Insect200387481082015-05-25T15:12:04Z{{Class +}}OntologyClass:Insect200387565952022-02-18T05:19:52Z{{Class | labels = {{label|en|insect}} {{label|ga|feithid}} @@ -4402,9 +5132,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|es|insecto}} {{label|fr|insecte}} {{label|ja|昆虫}} +{{label|ur| کیڑا}} | rdfs:subClassOf = Animal | owl:equivalentClass = wikidata:Q1390 -}}OntologyClass:Instrument2002630509192016-04-22T05:15:52Z{{Class +}}OntologyClass:Instrument2002630563732022-02-16T14:38:34Z{{Class | labels = {{label|en|Instrument}} {{label|ga|uirlis}} @@ -4417,44 +5148,53 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ko|악기}} {{label|nl|muziekinstrument}} {{label|ja|楽器}} +{{label|ur|ساز}} | comments = {{comment|en|Describes all musical instrument}} +{{comment|ur| +تمام آلات موسیقی کو بیان کرتا ہے}} | rdfs:subClassOf = Device, schema:Product | owl:equivalentClass = wikidata:Q225829 -}}OntologyClass:Instrumentalist2007753508192016-04-16T07:02:14Z{{Class +}}OntologyClass:Instrumentalist2007753578772022-05-04T09:16:18Z{{Class | labels = {{label|en|instrumentalist}} {{label|ga|ionstraimí}} {{label|nl|instrumentalist}} -{{label|fr|instrumentaliste}} +{{label|fr|instrumentiste}} {{label|de|Musiker}} +{{label|ur|سازندہ}} {{label|el|μουσικός}} {{label|ja|音楽家}} | rdfs:subClassOf = MusicalArtist | comments = {{comment|el|Ο μουσικός είναι ένα άτομο το οποίο γράφει, ερμηνεύει, ή κάνει μουσική.}} +{{comment|fr|Un instrumentiste est quelqu'un qui joue d'un instrument. Tout instrumentiste non-vocal (incluant guitariste, pianiste, saxophoniste, DJ, musicien divers...). Tout artiste solo qui compose et/ou fait partie d'un groupe.}} {{comment|nl|Een instrumentalist is een musicus die een muziekinstrument bespeelt. (https://nl.wikipedia.org/wiki/Instrumentalist)}} -}}OntologyClass:Intercommunality2007069511142016-05-25T11:21:04Z{{Class +}}OntologyClass:Intercommunality2007069565972022-02-18T05:22:25Z{{Class | labels = {{label|en|Intercommunality}} {{label|de|Interkommunalität}} {{label|fr|intercommunalité}} +{{label|ur|فرقہ واریت}} | rdfs:subClassOf = PopulatedPlace | owl:equivalentClass = wikidata:Q3153117 -}}OntologyClass:InternationalFootballLeagueEvent20011111459602015-03-16T10:19:56Z{{Class +}}OntologyClass:InternationalFootballLeagueEvent20011111587592022-05-16T19:34:05Z{{Class | labels = {{label|en|international football league event}} {{label|de|International Football Liga Veranstaltung}} +{{label|ur|بین الاقوامی فٹ بال انجمن کی تقریب}} | rdfs:subClassOf = SportsEvent -}}OntologyClass:InternationalOrganisation20011273484782015-07-21T19:33:10Z{{Class +}}OntologyClass:InternationalOrganisation20011273563202022-02-16T12:39:58Z{{Class |labels= {{label|en|international organisation}} {{label|fr|organisation internationale}} {{label|nl|internationale organisatie}} +{{label|ur|بین الاقوامی تنظیم}} | rdfs:subClassOf=Organisation |comments= {{comment|en|An international organisation is either a private or a public organisation seeking to accomplish goals across country borders}} -}}OntologyClass:Island200388521312017-06-19T11:18:48Z{{Class +{{comment|ur|ایک بین الاقوامی تنظیم یا تو ایک نجی یا عوامی تنظیم ہے جو ملک کی سرحدوں سے اہداف حاصل کرنے کی کوشش کرتی ہے۔}} +}}OntologyClass:Island200388556222021-09-15T10:19:25Z{{Class | labels = {{label|da|ø}} {{label|de|Insel}} @@ -4468,18 +5208,31 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|pl|wyspa}} {{label|ko|섬}} {{label|ja|島}} +{{label|ur|جزیرہ}} | rdfs:subClassOf = PopulatedPlace | owl:equivalentClass = wikidata:Q23442 -}}OntologyClass:Jockey2006147481112015-05-25T15:12:18Z{{Class +}}OntologyClass:JewishLeader20013561562882022-02-16T11:09:46Z{{Class +| labels = + {{label|en|JewishLeader}} + {{label|eu|Buruzagi judua}} + {{label|da|Jødisk leder}} + {{label|fr|chef juif}} + {{label|hi|यहूदी नेता}} + {{label|ar|زعيم يهودي}} + {{label|ur|یہودی رہنما}} +| rdfs:subClassOf = Religious +}}OntologyClass:Jockey2006147585172022-05-14T19:36:20Z{{Class | labels = {{label|en|jockey (horse racer)}} +{{label|fr|jockey (coureur à cheval)}} {{label|ga|marcach}} {{label|nl|jockey}} +{{label|ur|پیشہ ور گھڑ سوار}} {{label|de|Jockey (Pferderennprofi)}} {{label|el|αναβάτης αλόγου αγώνων}} {{label|ja|騎手}} | rdfs:subClassOf = Athlete -}}OntologyClass:Journalist200389481122015-05-25T15:12:23Z{{Class +}}OntologyClass:Journalist200389562842022-02-16T11:01:00Z{{Class | labels = {{label|en|journalist}} {{label|ga|iriseoir}} @@ -4490,9 +5243,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|es|periodista}} {{label|el|δημοσιογράφος}} {{label|ja|ジャーナリスト}} +{{label|ur|صحافی}} | rdfs:subClassOf = Person | owl:equivalentClass = wikidata:Q1930187 -}}OntologyClass:Judge200390481132015-05-25T15:12:37Z{{Class +}}OntologyClass:Judge200390562862022-02-16T11:03:43Z{{Class | labels = {{label|en|judge}} {{label|ga|breitheamh}} @@ -4503,12 +5257,14 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|es|juez}} {{label|ja|裁判官}} {{label|nl|rechter}} +{{label|ur|قاضی}} | rdfs:subClassOf = Person | owl:equivalentClass = wikidata:Q16533 -}}OntologyClass:LacrosseLeague2002175515062016-09-18T08:58:02Z{{Class +}}OntologyClass:LacrosseLeague2002175585312022-05-14T20:00:21Z{{Class | labels = {{label|en|lacrosse league}} +{{label|ur|لیکروس انجمن}} {{label|nl|lacrosse bond}} {{label|de|Lacrosse-Liga}} {{label|el|πρωτάθλημα χόκεϋ σε χόρτο}} @@ -4517,18 +5273,21 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:subClassOf = SportsLeague | comments = {{comment|en|a group of sports teams that compete against each other in Lacrosse.}} -}}OntologyClass:LacrossePlayer2006221504182016-03-04T06:41:53Z{{Class +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروپ جو لیکروس لیگ میں ایک دوسرے کے خلاف مقابلہ کرتا ہے}} +}}OntologyClass:LacrossePlayer2006221562082022-02-15T18:17:44Z{{Class | labels = {{label|en|lacrosse player}} +{{label|ur|لیکروس کھلاڑی}} {{label|ga|imreoir crosógaíochta}} {{label|nl|lacrosse-speler}} {{label|de|Lacrossespieler}} {{label|el|παίκτης χόκεϋ σε χόρτο}} {{label|ja|ラクロス選手}} | rdfs:subClassOf = Athlete -}}OntologyClass:Lake200391521882017-10-05T07:35:18Z{{Class +}}OntologyClass:Lake200391562102022-02-15T18:20:37Z{{Class | labels = {{label|en|lake}} +{{label|ur|جھیل}} {{label|de|See}} {{label|el|λίμνη}} {{label|fr|lac}} @@ -4544,9 +5303,10 @@ A hormone is any member of a class of signaling molecules produced by glands in | specificProperties = {{SpecificProperty | ontologyProperty = shoreLength | unit = kilometre }} {{SpecificProperty | ontologyProperty = areaOfCatchment | unit = squareKilometre }} {{SpecificProperty | ontologyProperty = volume | unit = cubicMetre }} -}}OntologyClass:Language200392528232018-02-08T20:04:05Z{{Class +}}OntologyClass:Language200392562132022-02-15T18:24:17Z{{Class | labels = {{label|en|language}} +{{label|ur|زبان}} {{label|ga|teanga}} {{label|gl|lingua}} {{label|nl|taal}} @@ -4559,9 +5319,20 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|言語}} | owl:equivalentClass = schema:Language, wikidata:Q315 | rdfs:subClassOf = owl:Thing -}}OntologyClass:LaunchPad200393479432015-05-25T14:54:44Z{{Class +}}OntologyClass:LatterDaySaint20013572562142022-02-15T18:26:54Z{{Class +| labels = + {{label|en|Latter Day Saint}} +{{label|ur|نارمن فرقے کا عيسائی}} + {{label|eu|Azken eguneko santua}} + {{label|da|Sidste dages helgen}} + {{label|fr|Saint des derniers jours}} + {{label|hi|बाद के दिन संत}} + {{label|ar|قديس اليوم الأخير}} +| rdfs:subClassOf = Religious +}}OntologyClass:LaunchPad200393562182022-02-15T18:33:03Z{{Class | labels = {{label|en|launch pad}} +{{label|ur|میزائل چلانے کی جگہ}} {{label|ga|ceap lainseála}} {{label|nl|lanceerbasis}} {{label|de|Startrampe}} @@ -4569,18 +5340,20 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|fr|rampe de lancement}} | rdfs:subClassOf = Infrastructure | owl:equivalentClass = wikidata:Q1353183 -}}OntologyClass:Law20011376523242017-10-10T13:27:17Z{{Class +}}OntologyClass:Law20011376562802022-02-16T10:03:49Z{{Class | labels = {{label|en|law}} +{{label|ur|قانون}} {{label|da|lov}} {{label|de|Gesetz}} {{label|nl|wet}} {{label|fr|loi}} {{label|ja|法 (法学)}} | rdfs:subClassOf = WrittenWork -}}OntologyClass:LawFirm2003730479712015-05-25T14:57:42Z{{Class +}}OntologyClass:LawFirm2003730562242022-02-15T18:44:20Z{{Class | labels = {{label|en|law firm}} +{{label|ur|قانونی فرم}} {{label|ga|gnólacht dlí}} {{label|el|εταιρεία δικηγόρων}} {{label|de|Anwaltskanzlei}} @@ -4590,21 +5363,25 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:subClassOf = Company | comments = {{comment|en|A 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.}} +{{comment|ur|ایک قانونی فرم ایک کاروباری ادارہ ہے جسے ایک یا زیادہ وکلاء نے قانون کی مشق میں مشغول کرنے کے لیے تشکیل دیا ہے۔ قانونی فرم کی طرف سے فراہم کردہ بنیادی خدمت کلائنٹس (افراد یا کارپوریشنز) کو ان کے قانونی حقوق اور ذمہ داریوں کے بارے میں مشورہ دینا ہے، اور دیوانی یا فوجداری مقدمات، کاروباری لین دین، اور دیگر معاملات میں اپنے مؤکلوں کی نمائندگی کرنا ہے جن میں قانونی مشورہ اور دیگر مدد طلب کی جاتی ہے۔}} {{comment|de| Als Anwaltskanzlei bezeichnet man die Büroräume und das Unternehmen oder den Betrieb eines Rechtsanwalts oder mehrerer Rechtsanwälte.}} | owl:equivalentClass = wikidata:Q613142 -}}OntologyClass:Lawyer2009435508202016-04-16T07:08:43Z{{Class +}}OntologyClass:Lawyer2009435562272022-02-15T18:51:57Z{{Class | labels = {{label|en|Lawyer}} +{{label|ur|وکیل}} {{label|ga|dlíodóir}} {{label|fr|Avocat}} {{label|nl|advocaat}} {{label|de|Anwalt}} {{label|ja|弁護士}} | comments = {{comment|en|a person who is practicing law.}} +{{comment|ur|ایک شخص جو قانون پر عمل پیرا ہے}} | rdfs:subClassOf = Person | owl:equivalentClass = wikidata:Q40348 -}}OntologyClass:LegalCase2002442528532018-02-08T20:42:14Z{{Class +}}OntologyClass:LegalCase2002442562292022-02-15T18:53:55Z{{Class | labels = {{label|en|Legal Case}} +{{label|ur|قانونی مقدمہ}} {{label|de|Rechtsfall}} {{label|el|νομική υπόθεση}} {{label|fr|cas juridique}} @@ -4612,9 +5389,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl|rechtzaak}} | rdfs:subClassOf = Case | owl:equivalentClass = wikidata:Q2334719 -}}OntologyClass:Legislature200394508272016-04-16T07:29:01Z{{Class +}}OntologyClass:Legislature200394562322022-02-15T18:56:55Z{{Class | labels = {{label|en|legislature}} +{{label|ur|مقننہ}} {{label|ga|reachtas}} {{label|de|Legislative}} {{label|el|νομοθετικό σώμα}} @@ -4624,9 +5402,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|立法府}} | rdfs:subClassOf = Organisation | owl:equivalentClass = wikidata:Q11204 -}}OntologyClass:Letter2005348486052015-08-06T06:12:07Z{{ Class +}}OntologyClass:Letter2005348562342022-02-15T19:02:21Z{{ Class | labels = {{label|de|Buchstabe}} +{{label|ur|حرف}} {{label|en|letter}} {{label|ga|litir}} {{label|fr|lettre}} @@ -4635,14 +5414,16 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|文字}} | comments = {{comment|de|Ein Buchstabe des Alphabets.}} +{{comment|ur|حروف تہجی سے ایک حرف}} {{comment|en|A letter from the alphabet.}} {{comment|fr|Ene lettre de l'alphabet.}} | rdfs:subClassOf = WrittenWork <!-- | rdfs:subClassOf = Language --> | owl:equivalentClass = wikidata:Q9788, wikidata:Q133492 -}}OntologyClass:Library2002934528572018-02-09T13:53:47Z{{Class +}}OntologyClass:Library2002934562362022-02-15T19:04:47Z{{Class | labels = {{label|da|bibliotek}} +{{label|ur|کتب خانہ}} {{label|de|Bibliothek}} {{label|en|library}} {{label|el|βιβλιοθήκη}} @@ -4655,9 +5436,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|pl|biblioteka}} | rdfs:subClassOf = EducationalInstitution <!-- , Building --> | owl:equivalentClass = schema:Library, wikidata:Q7075 -}}OntologyClass:Lieutenant2002331508282016-04-16T07:32:26Z{{Class +}}OntologyClass:Lieutenant2002331585472022-05-14T20:32:44Z{{Class | labels = {{label|en|lieutenant}} +{{label|ur|فوجی افسر}} {{label|ga|leifteanant}} {{label|de|Leutnant}} {{label|fr|lieutenant}} @@ -4667,40 +5449,47 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|中尉}} | rdfs:subClassOf = Politician -}}OntologyClass:LifeCycleEvent2008729457312015-03-13T14:49:09Z{{Class +}}OntologyClass:LifeCycleEvent2008729562412022-02-15T19:14:31Z{{Class | labels = {{label|en|life cycle event}} +{{label|ur|دورانیہ حیات وقوعه}} {{label|de|Lebenszyklus Ereignis}} {{label|nl|wordingsgebeurtenis}} | comment = {{comment|en| Type of event meant to express one-time or recurring major changes in a resource's life cycle}} +{{comment|ur| واقعہ کی قسم کا مطلب وسائل کی زندگی کے چکر میں ایک بار یا بار بار آنے والی بڑی تبدیلیوں کا اظہار کرنا ہے۔}} | rdfs:subClassOf = Event -}}OntologyClass:Ligament2005853508352016-04-16T07:45:07Z{{Class +}}OntologyClass:Ligament2005853572902022-03-30T14:00:43Z{{Class | rdfs:subClassOf = AnatomicalStructure | labels = -{{label|en|ligament}} -{{label|de|Band (Anatomie)}} -{{label|pt|ligamento}} -{{label|el|σύνδεσμος}} -{{label|nl|bindweefsel}} -{{label|ja|靭帯}} + {{label|en|ligament}} + {{label|fr|ligament}} + {{label|ur|بندهن}} + {{label|de|Band (Anatomie)}} + {{label|pt|ligamento}} + {{label|el|σύνδεσμος}} + {{label|nl|bindweefsel}} + {{label|ja|靭帯}} | owl:equivalentClass = wikidata:Q39888 -}}OntologyClass:LightNovel2005817485952015-08-05T15:45:15Z{{Class +}}OntologyClass:LightNovel2005817585502022-05-14T20:43:50Z{{Class | labels = {{label|en|light novel}} +{{label|ur|جاپانی افسانه}} {{label|de|Light novel}} {{label|ja|ライトノベル}} {{label|el|ανάλαφρο μυθιστόρημα}} | rdfs:subClassOf = Novel | comments = {{comment|en|A style of Japanese novel<ref name="light novel">http://en.wikipedia.org/wiki/Light_novel</ref>}} +{{comment|ur|جاپانی ناول کا ایک انداز<ref name="light novel">http://en.wikipedia.org/wiki/Light_novel</ref>}} | owl:equivalentClass = wikidata:Q747381 }} ==References== -<references/>OntologyClass:Lighthouse200395481162015-05-25T15:12:53Z{{Class +<references/>OntologyClass:Lighthouse200395562472022-02-16T07:45:44Z{{Class | labels = {{label|de|Leuchtturm}} {{label|en|lighthouse}} +{{label|ur|روشنی کا مینار}} {{label|ga|teach solais}} {{label|nl|vuurtoren}} {{label|fr|phare}} @@ -4708,19 +5497,23 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|el|Φάρος}} | rdfs:subClassOf = Tower | owl:equivalentClass = wikidata:Q39715 -}}OntologyClass:LineOfFashion2007441471052015-03-23T15:30:30Z{{Class +}}OntologyClass:LineOfFashion2007441585382022-05-14T20:13:42Z{{Class |labels = {{label|en|line of fashion}} +{{label|ur|قطار رائج}} {{label|de|Modelinie}} {{label|nl|modelijn}} {{label|fr|type de couture}} | comments = {{comment|en|A coherent type of clothing or dressing following a particular fashion}} + +{{comment|ur|ایک مربوط قسم کا لباس یا لباس کسی خاص فیشن کے بعد}} {{comment|nl|Een samenhangend geheel van kleding in een bepaalde stijl volgens een bepaalde mode.}} | rdfs:subClassOf = Work -}}OntologyClass:Linguist2007744508302016-04-16T07:35:03Z{{Class +}}OntologyClass:Linguist2007744562532022-02-16T07:58:13Z{{Class | labels = {{label|en|linguist}} +{{label|ur|ماہر لسانیات}} {{label|ca|lingüista}} {{label|de|Linguist}} {{label|de|Sprachwissenschaftler}} @@ -4732,19 +5525,22 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|言語学者}} | rdfs:subClassOf = Person | owl:equivalentClass = wikidata:Q14467526 -}}OntologyClass:Lipid20010412511402016-06-04T20:02:59Z{{Class +}}OntologyClass:Lipid20010412562552022-02-16T08:01:49Z{{Class | labels = {{label|en|lipid}} +{{label|ur|چربی}} {{label|nl|lipide}} {{label|de|lipid}} {{label|fr|lipide}} {{label|ja|脂質}} | comments = {{comment|nl|Zijn vetten en vetachtige stoffen die in de biochemie een belangrijke rol spelen}} +{{comment|ur|چربی اور چکنائی والے مادے ہیں جو بائیو کیمسٹری میں اہم کردار ادا کرتے ہیں}} | rdfs:subClassOf = Biomolecule -}}OntologyClass:List2006032521322017-06-19T11:19:35Z{{Class +}}OntologyClass:List2006032562582022-02-16T08:28:32Z{{Class | labels = {{label|en|list}} +{{label|ur|فہرست}} {{label|ga|liosta}} {{label|da|liste}} {{label|de|Liste}} @@ -4754,22 +5550,26 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|一覧}} | comments = {{comment|en|A general list of items.}} + {{comment|ur|اشیاء کی عمومی فہرست}} {{comment|fr|une liste d'éléments.}} {{comment|nl|Een geordende verzameling objecten.}} {{comment|el|Μια γενική λίστα από αντικείμενα.}} | owl:equivalentClass = skos:OrderedCollection, dul:Collection | rdfs:subClassOf = owl:Thing -}}OntologyClass:LiteraryGenre2009706510952016-05-16T17:08:44Z{{Class +}}OntologyClass:LiteraryGenre2009706585562022-05-14T20:52:58Z{{Class |labels= {{label|en|literary genre}} +{{label|ur|ادبی صنف}} {{label|de|Literaturgattung}} {{label|fr|genre littéraire}} {{label|nl|literair genre}} | comments = {{comment|en|Genres of literature, e.g. Satire, Gothic}} +{{comment|ur|ادب کی انواع، جیسے طنزیہ، غیر مہذب}} | rdfs:subClassOf = Genre -}}OntologyClass:Locality2007106515112016-09-18T10:59:17Z{{Class +}}OntologyClass:Locality2007106562622022-02-16T08:33:37Z{{Class | labels = {{label|en|locality}} +{{label|ur|محلہ}} {{label|nl|streek}} {{label|ga|ceantar}} {{label|fr|localité}} @@ -4778,9 +5578,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|地域}} | rdfs:subClassOf = PopulatedPlace | owl:equivalentClass = wikidata:Q3257686 -}}OntologyClass:Lock2009324523232017-10-10T13:26:49Z{{Class +}}OntologyClass:Lock2009324562642022-02-16T08:36:21Z{{Class | labels = {{label|en|lock}} +{{label|ur|تالا}} {{label|ga|glas}} {{label|da|lås}} {{label|de|Schleuse}} @@ -4789,9 +5590,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|fr|écluse}} {{label|ja|錠}} | rdfs:subClassOf = Infrastructure -}}OntologyClass:Locomotive2002533528162018-02-08T19:56:22Z{{Class +}}OntologyClass:Locomotive2002533562662022-02-16T08:39:37Z{{Class | labels = {{label|en|locomotive}} +{{label|ur|ریل گاڑی کا انجن}} {{label|ga|traen}} {{label|de|Lokomotive}} {{label|fr|locomotive}} @@ -4802,19 +5604,20 @@ A hormone is any member of a class of signaling molecules produced by glands in {{SpecificProperty | ontologyProperty = modelLineVehicle}} --> | rdfs:subClassOf = MeanOfTransportation, schema:Product | owl:equivalentClass = wikidata:Q93301 -}}OntologyClass:LunarCrater200396498532015-12-17T20:26:58Z{{Class -| labels = -{{label|en|lunar crater}} -{{label|ga|cráitéar gealaí}} -{{label|de|Mondkrater}} -{{label|fr|cratère lunaire}} -{{label|el|Σεληνιακός κρατήρας}} -{{label|nl|maankrater}} -{{label|pt|cratera lunar}} +}}OntologyClass:LunarCrater200396569622022-03-09T09:20:15Z{{Class +| labels = + {{label|en|lunar crater}} + {{label|ur|قمری گڑھا}} + {{label|ga|cráitéar gealaí}} + {{label|de|Mondkrater}} + {{label|fr|cratère lunaire}} + {{label|el|Σεληνιακός κρατήρας}} + {{label|nl|maankrater}} + {{label|pt|cratera lunar}} | rdfs:subClassOf = Crater | specificProperties = {{SpecificProperty | ontologyProperty = diameter | unit = kilometre }} | owl:equivalentClass = wikidata:Q1348589 -}}OntologyClass:Lymph200397479622015-05-25T14:56:48Z{{Class +}}OntologyClass:Lymph200397562762022-02-16T09:01:08Z{{Class | rdfs:label@en = lymph | rdfs:label@ga = limfe | rdfs:label@de = Lymphe @@ -4822,11 +5625,15 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@ja = リンパ | rdfs:label@el = λέμφος | rdfs:label@nl = lymfe +|labels = +{{label|ur|سفید رنگ کے خلیوں پر مشتمل ایک بے رنگ سیال}} | rdfs:subClassOf = AnatomicalStructure -}}OntologyClass:Magazine200398481192015-05-25T15:13:02Z{{Class +}}OntologyClass:Magazine200398566262022-02-27T05:03:34Z{{Class | labels = {{label|en|magazine}} {{label|ga|irisleabhar}} +{{label|ur|رسالہ}} + {{label|de|Publikumszeitschrift}} {{label|el|Περιοδικό}} {{label|fr|magazine}} @@ -4836,10 +5643,11 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:subClassOf = PeriodicalLiterature | comments = {{comment|en|Magazines, 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.}} +{{comment|ur|میگزین، میگزین، چمکیلی یا سیریل اشاعتیں ہیں، عام طور پر ایک باقاعدہ شیڈول پر شائع ہوتے ہیں، مختلف مضامین پر مشتمل ہوتے ہیں. انہیں عام طور پر اشتہارات، خریداری کی قیمت، پری پیڈ میگزین سبسکرپشنز، یا تینوں کے ذریعے مالی اعانت فراہم کی جاتی ہے۔.}} {{comment|el|Περιοδικά ή γυαλιστερές φωτογραφίες περιοδικών εκδόσεων δημοσιεύονται σε τακτά χρονικά διαστήματα, περιέχει μια ποικιλία από αντικείμενα.Γενικά χρηματοδοτείται από διαφημίσεις, με τιμή αγοράς, με προπληρωμένες συνδρομές περιοδικών, ή και των τριών.}} {{comment|de|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.}} | owl:equivalentClass = wikidata:Q41298 -}}OntologyClass:Mammal200399520802017-06-19T10:32:02Z{{Class +}}OntologyClass:Mammal200399552552021-09-10T20:05:51Z{{Class | labels = {{label|en|mammal}} {{label|ga|mamach}} @@ -4853,10 +5661,11 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|es|mamífero}} {{label|el|θηλαστικό ζώο}} {{label|pl|ssak}} +{{label|ur|تھن والے جانور }} | rdfs:subClassOf = Animal | owl:disjointWith = Fish | owl:equivalentClass = wikidata:Q7377 -}}OntologyClass:Man20012287535772020-01-30T09:57:16Z{{Class +}}OntologyClass:Man20012287577032022-04-26T11:20:39Z{{Class | labels = {{label|en|man}} {{label|ru|мужчина}} @@ -4868,13 +5677,16 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|おとこ}} {{label|nl|Mens}} {{label|it|Uomo}} +{{label|ur|آدمی}} | rdfs:subClassOf = Person | owl:equivalentClass = wikidata:Q8441 -}}OntologyClass:Manga2005815471182015-03-23T16:09:28Z{{Class +}}OntologyClass:Manga2005815566292022-02-27T05:07:36Z{{Class | labels = {{label|en|manga}} {{label|nl|manga}} {{label|de|manga}} +{{label|ur|مانگا}} + {{label|fr|manga}} {{label|it|manga}} {{label|ja|日本の漫画}} @@ -4882,45 +5694,57 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:subClassOf = Comic | comments = {{comment|en|Manga are comics created in Japan<ref name="manga">http://en.wikipedia.org/wiki/Manga</ref>}} +{{comment|ur|منگا جاپان میں تخلیق کردہ کامکس ہیں<ref name="manga">http://en.wikipedia.org/wiki/Manga</ref>}} + {{comment|nl|Manga is het Japanse equivalent van het stripverhaal<ref name="manga">http://nl.wikipedia.org/wiki/Manga_(strip</ref>}} | owl:equivalentClass = wikidata:Q8274 }} ==References== -<references/>OntologyClass:Manhua2005819508362016-04-18T10:38:31Z{{Class -| labels = -{{label|en|manhua}} -{{label|de|manhua}} -{{label|nl|manhua}} -{{label|el|manhua}} -{{label|ja|中国の漫画}} +<references/>OntologyClass:Manhua2005819579862022-05-06T07:59:29Z{{Class +| labels = + {{label|en|manhua}} + {{label|de|manhua}} + {{label|nl|manhua}} + {{label|el|manhua}} + {{label|ur|مانہوا}} + {{label|ja|中国の漫画}} + {{label|fr|manhua}} | rdfs:subClassOf = Comic | comments = -{{comment|en|Comics originally produced in China<ref name="manhua">http://en.wikipedia.org/wiki/Manhua</ref>}} -{{comment|de|Außerhalb Chinas wird der Begriff für Comics aus China verwendet.<ref name="manhua">http://de.wikipedia.org/wiki/Manhua</ref>}} -{{comment|nl|Manhua is het Chinese equivalent van het stripverhaal}} -{{comment|el|Κόμικς που παράγονται αρχικά στην Κίνα<ref name="manhua">http://en.wikipedia.org/wiki/Manhua</ref>}} + {{comment|en|Comics originally produced in China<ref name="manhua">http://en.wikipedia.org/wiki/Manhua</ref>}} +{{comment|ur|کامکس اصل میں چین میں تیار کیے گئے تھے}} + {{comment|fr|Bandes dessinées produites initialement en Chine<ref name="manhua">http://en.wikipedia.org/wiki/Manhua</ref>}} + {{comment|de|Außerhalb Chinas wird der Begriff für Comics aus China verwendet.<ref name="manhua">http://de.wikipedia.org/wiki/Manhua</ref>}} + {{comment|nl|Manhua is het Chinese equivalent van het stripverhaal}} + {{comment|el|Κόμικς που παράγονται αρχικά στην Κίνα<ref name="manhua">http://en.wikipedia.org/wiki/Manhua</ref>}} | owl:equivalentClass = wikidata:Q754669 }} ==References== -<references/>OntologyClass:Manhwa2005818508372016-04-18T10:39:38Z{{Class +<references/>OntologyClass:Manhwa2005818577052022-04-26T11:26:47Z{{Class | labels = {{label|en|manhwa}} {{label|nl|manhwa}} {{label|de|manhwa}} {{label|el|manhwa}} {{label|ja|韓国の漫画}} +{{label|ur|منحوا}} | rdfs:subClassOf = Comic | comments = {{comment|en|Korean term for comics and print cartoons<ref name="manhwa">http://en.wikipedia.org/wiki/Manhwa</ref>}} +{{comment|ur|مزاحیہ اور پرنٹ کارٹونز کے لیے کورین اصطلاح<ref name="manhwa">http://en.wikipedia.org/wiki/Manhwa</ref>}} + {{comment|de|ist die in der westlichen Welt verbreitete Bezeichnung für Comics aus Südkorea.<ref name="manhwa">http://de.wikipedia.org/wiki/Manhwa</ref>}} {{comment|nl|Manhua is het Koreaanse equivalent van het stripverhaal}} {{comment|el|Κορεάτικος όρος για τα κόμικς και τα κινούμενα σχέδια εκτύπωσης}} | owl:equivalentClass = wikidata:Q562214 }} ==References== -<references/>OntologyClass:Manor20012327536472020-06-29T10:39:10Z{{Class +<references/>OntologyClass:Manor20012327566312022-02-27T05:09:50Z{{Class | labels = {{label|en|Manor}} +{{label|ur|جاگیر +}} + {{label|nl|Heerlijkheid}} {{label|fr|Seigneurie}} {{label|de|Grundherrschaft}} @@ -4928,21 +5752,29 @@ A hormone is any member of a class of signaling molecules produced by glands in {{comment|en|Estate and/or (cluster of) lands that are under the jurisdiction of a feudal lord. Hence it is also the shorthand expression for the physical estate itself: a manor is a stately house in the countryside with the surrounding grounds}} | rdfs:subClassOf = HistoricalAreaOfAuthority | dcterms:references = <http://nl.dbpedia.org/resource/Heerlijkheid_(bestuursvorm)> , <http://en.dbpedia.org/resource/Manor> , <http://fr.dbpedia.org/resource/Seigneurie> , <http://de.dbpedia.org/resource/Grundherrschaft> , <http://ru.dbpedia.org/resource/%D0%A0%D1%8B%D1%86%D0%B0%D1%80%D1%81%D0%BA%D0%B0%D1%8F_%D0%BC%D1%8B%D0%B7%D0%B0> . -}}OntologyClass:MartialArtist2004123467142015-03-21T14:14:19Z{{Class +}}OntologyClass:MartialArtist2004123579902022-05-06T10:17:53Z{{Class | labels = {{label|en|martial artist}} {{label|de|Kampfkünstler}} +{{label|ur|مارشل کے فنکار}} + {{label|el|Πολεμικός Καλλιτέχνης}} | rdfs:subClassOf = Athlete -}}OntologyClass:MathematicalConcept2009717518722017-01-21T14:23:09Z{{Class +}}OntologyClass:MathematicalConcept2009717577112022-04-26T11:30:32Z{{Class | labels = {{label|en|Mathematical concept}} {{label|de|mathematisches Konzept}} + {{label|fr|concept mathématique}} {{label|nl|wiskundig concept}} + {{label|ur|ریاضیاتی تصور}} | comments = {{comment|en|Mathematical concepts, e.g. Fibonacci numbers, Imaginary numbers, Symmetry}} +{{comment|ur|ریاضی کے تصورات، جیسے فبونیکی نمبرز، خیالی نمبرز، سمیٹری}} +{{comment|fr|Concepts mathématiques tels que les nombres de Fibonacci, les nombres imaginaires, la symétrie}} | rdfs:subClassOf = TopicalConcept -}}OntologyClass:Mayor200400486302015-08-06T14:13:28Z{{Class +}}OntologyClass:Mayor200400578982022-05-05T10:57:46Z{{Class | labels = {{label|en|mayor}} +{{label|ur| شہر کا منتظم }} + {{label|de|Bürgermeister}} {{label|fr|maire}} {{label|ja|首長}} @@ -4950,13 +5782,14 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl|burgemeester}} | rdfs:subClassOf = Politician | owl:equivalentClass = wikidata:Q30185 -}}OntologyClass:MeanOfTransportation200401528522018-02-08T20:40:33Z{{Class +}}OntologyClass:MeanOfTransportation200401573752022-03-31T12:56:20Z{{Class | labels = {{label|de|Transportmittel}} {{label|en|mean of transportation}} - {{label|fr|moyen de transport}} + {{label|fr|Moyen de transport}} {{label|nl|vervoermiddel}} {{label|el|μεταφορικό μέσο}} + {{label|ur|نقل و حمل کے ذرائع}} | specificProperties = {{SpecificProperty | ontologyProperty = diameter | unit = metre }} {{SpecificProperty | ontologyProperty = mass | unit = kilogram }} @@ -4967,21 +5800,27 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:subClassOf = owl:Thing | owl:equivalentClass = | owl:disjointWith = Person -}}OntologyClass:Media2007881508392016-04-18T10:43:06Z{{Class +}}OntologyClass:Media2007881577152022-04-26T11:36:01Z{{Class | labels = {{label|en|media}} +{{label|fr|média}} {{label|ga|meáin}} {{label|nl|media}} {{label|el|μέσα ενημέρωσης}} {{label|de|Medien}} {{label|ja|媒体}} +{{label|ur|مواصلات }} | comments = {{comment|en|storage and transmission channels or tools used to store and deliver information or data}} +{{comment|ur|ذخیرہ اور منتقلی چینلز یااوزار جو معلومات یا ڈیٹا کو ذخیرہ کرنے اور پہنچانے کے لیے استعمال ہوتے ہیں۔}} +{{comment|fr|canaux d'enregistrement et de transmission ou outils utilisés pour enregistrer et fournir des informations ou des données}} | owl:equivalentClass = wikidata:Q340169 -}}OntologyClass:MedicalSpecialty20011867522042017-10-07T14:56:17Z{{Class +}}OntologyClass:MedicalSpecialty20011867566352022-02-27T05:15:09Z{{Class | labels = {{label|de|medizinisches Fachgebiet}} {{label|en|medical specialty}} + {{label|de|طبی خصوصیت}} + {{label|nl|medisch specialisme}} {{label|el|ιατρική ειδικότητα}} {{label|fr|spécialité médicale}} @@ -4990,26 +5829,34 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|it|specializzazione medica}} | rdfs:subClassOf = owl:Thing | owl:equivalentClass = wikidata:Q930752 -}}OntologyClass:Medician2007329508402016-04-18T10:45:38Z{{Class +}}OntologyClass:Medician2007329565362022-02-18T03:08:51Z{{Class | labels = {{label|en|medician}} +{{label|ur|طبیب}} + {{label|de|Mediziner}} {{label|el|γιατρός}} {{label|it|medico}} {{label|nl|medicus}} {{label|ja|生命医科学研究者または医師}} | rdfs:subClassOf = Scientist -}}OntologyClass:Medicine2009721515772016-11-03T08:36:23Z{{Class +}}OntologyClass:Medicine2009721577212022-04-26T11:39:18Z{{Class | labels = {{label|en|Medicine}} {{label|de|Medizin}} {{label|fr|médecine}} {{label|nl|geneeskunde}} {{label|ja|医学}} + {{label|ur|دوائی}} | owl:equivalentClass = wikidata:Q11190 | comments = {{comment|en|The science and art of healing the human body and identifying the causes of disease}} -}}OntologyClass:Meeting2009128508422016-04-18T10:47:09Z{{Class + + +{{comment|ur|انسانی جسم کو ٹھیک کرنے اور بیماری کی وجوہات کی نشاندہی کرنے کا سائنس اور فن}} +}}OntologyClass:Meeting2009128579022022-05-05T11:02:30Z{{Class | labels = {{label|en|meeting}} +{{label|ur|ملاقات}} + {{label|ga|cruinniú}} {{label|de|Treffen}} {{label|fr|réunion}} @@ -5020,10 +5867,13 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:subClassOf = SocietalEvent |comments= {{comment|en|A regular or irregular meeting of people as an event to keep record of}} +{{comment|ur|ریکارڈ رکھنے کے لیے ایک تقریب کے طور پر لوگوں کی باقاعدہ یا بے قاعدہ ملاقات}} | owl:equivalentClass = wikidata:Q2761147 -}}OntologyClass:MemberOfParliament200402468202015-03-21T22:00:35Z{{Class +}}OntologyClass:MemberOfParliament200402565392022-02-18T03:11:14Z{{Class | labels = {{label|en|member of parliament}} +{{label|ur|رکن پارلیمنٹ +}} {{label|de|Parlamentsmitglied}} {{label|el|Μέλος κοινοβουλίου}} {{label|fr|membre du Parlement}} @@ -5031,16 +5881,19 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl|parlementslid}} | rdfs:subClassOf = Politician | owl:equivalentClass = wikidata:Q486839 -}}OntologyClass:MemberResistanceMovement20010242483982015-06-29T13:39:51Z{{Class +}}OntologyClass:MemberResistanceMovement20010242577242022-04-26T11:41:14Z{{Class |labels= -{{label|en|Member of a Resistance Movement}} -{{label|de|Mitglied einer Widerstandorganisation}} -{{label|nl|lid van een verzetsorganisatie}} + {{label|en|Member of a Resistance Movement}} + {{label|fr|Membre d'une organisation de résistance}} + {{label|de|Mitglied einer Widerstandorganisation}} + {{label|nl|lid van een verzetsorganisatie}} +{{label|ur|مزاحمتی تحریک کے رکن}} |comments= | rdfs:subClassOf = Person -}}OntologyClass:Memorial2006527511322016-05-30T10:04:47Z{{Class +}}OntologyClass:Memorial2006527579112022-05-05T11:19:58Z{{Class | labels = {{label|en|memorial}} +{{label|ur|یادگار}} {{label|el|μνημείο}} {{label|fr|mémorial}} {{label|nl|gedenkteken}} @@ -5049,10 +5902,13 @@ A hormone is any member of a class of signaling molecules produced by glands in | comments = {{comment|en|A monument erected to commemorate a person, an event and/or group. In the case of a person, this might be a grave or tomb. }} +{{comment|ur|ایک قسم کا ڈھانچہ (ایک مجسمہ یا آرٹ آبجیکٹ) کسی شخص یا اہم واقعہ کی یاد میں بنایا گیا ، ضروری نہیں کہ تباہ کن نوعیت کا ہو}} | rdfs:subClassOf = Monument -}}OntologyClass:MetroStation2008126463582015-03-18T17:58:13Z{{Class +}}OntologyClass:MetroStation2008126579952022-05-06T10:32:10Z{{Class | labels = {{label|en|metrostation}} +{{label|ur|زمین دوز برقی ریل کا اڈہ}} + {{label|fr|station de métro}} {{label|de|U-Bahn Station}} {{label|en|subway station}} @@ -5062,36 +5918,44 @@ A hormone is any member of a class of signaling molecules produced by glands in | comments = {{comment|el|Η στάση μετρό χρησιμοποιείται συνήθως για μια τοποθεσία ή σημείο όπου σταματάει το μεταφορικό μέσο μετρό}} | owl:equivalentClass = wikidata:Q928830 -}}OntologyClass:MicroRegion2009317457452015-03-13T15:51:58Z{{Class +}}OntologyClass:MicroRegion2009317577262022-04-26T11:46:46Z{{Class | labels = {{label|en|micro-region}} + {{label|fr|micro-région}} {{label|de|Mikroregion}} {{label|el|μικρο-περιφέρεια}} {{label|nl|microregio}} {{label|pt|microrregiao}} -| comments = +{{label|ur|چھوٹاعلاقہ}} +| comments = {{comment|en|A microregion is a - mainy statistical - region in Brazil, at an administrative level between a meso-region and a community}} -| rdfs:subClassOf = GovernmentalAdministrativeRegion -| comments = +{{comment|ur|مائیکرو ریجن برازیل میں ایک - بنیادی شماریاتی - خطہ ہے، انتظامی سطح پر ایک میسو ریجن اور کمیونٹی کے درمیان}} + + {{comment|fr|Une microrégion est - principalement du point de vue statistique - une région du Brésil, qui se trouve à un niveau administratif entre la mésorégion et la communauté}} {{comment|el|Η μικρο-περιφέρεια χρησιμοποιείται για να περιγράψει, κυρίως στατιστικά, μια περιοχή στη Βραζιλία σε διοικητικό επίπεδο μεταξύ μίας μεσο-περιφέρειας και μίας κοινότητα}} -}}OntologyClass:MilitaryAircraft20011150471342015-03-24T08:13:44Z{{Class +| rdfs:subClassOf = GovernmentalAdministrativeRegion + +}}OntologyClass:MilitaryAircraft20011150579132022-05-05T11:23:35Z{{Class | labels = {{label|en|military aircraft}} {{label|fr|avion militaire}} +{{label|ur|فوجی ہوائی جہاز}} + {{label|nl|legervliegtuig}} {{label|de|Militärmaschine}} | rdfs:subClassOf = Aircraft -}}OntologyClass:MilitaryConflict200403523602017-10-10T14:05:53Z{{Class -| labels = -{{label|en|military conflict}} -{{label|da|militær konflikt}} -{{label|de|militärischer Konflikt}} -{{label|el|στρατιωτική σύγκρουση}} -{{label|fr|conflit militaire}} -{{label|nl|militair conflict}} -{{label|ko|전쟁}} +}}OntologyClass:MilitaryConflict200403569592022-03-09T09:08:28Z{{Class +| labels = + {{label|en|military conflict}} + {{label|ur|فوجی تنازعہ}} + {{label|da|militær konflikt}} + {{label|de|militärischer Konflikt}} + {{label|el|στρατιωτική σύγκρουση}} + {{label|fr|conflit militaire}} + {{label|nl|militair conflict}} + {{label|ko|전쟁}} | rdfs:subClassOf = SocietalEvent -}}OntologyClass:MilitaryPerson200404514292016-08-08T01:53:30Z{{Class +}}OntologyClass:MilitaryPerson200404577322022-04-26T11:51:17Z{{Class | labels = {{label|en|military person}} {{label|de|militärische Person}} @@ -5101,23 +5965,31 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl|militair}} {{label|it|militare}} {{label|ja|軍人}} +{{label|ur|فوجی شخص}} | rdfs:subClassOf = Person -}}OntologyClass:MilitaryService20011950524892017-10-16T17:12:28Z{{Class +}}OntologyClass:MilitaryService20011950566412022-02-27T05:23:34Z{{Class |labels= {{label|en|military service}} +{{label|ur|فوجی خدمات}} + {{label|de|Militärdienst}} {{label|fr|service militaire}} | rdfs:subClassOf = CareerStation -}}OntologyClass:MilitaryStructure2006237368892014-07-17T05:15:51Z{{Class +}}OntologyClass:MilitaryStructure2006237573962022-04-03T08:43:21Z{{Class | labels = -{{label|en|military structure}} -{{label|de|militärisches Bauwerk}} -{{label|el|Στρατιωτική Δομή}} -{{label|nl|militair bouwwerk}} -{{label|ko| 군사 건축물}} -| comments = {{comment|en|A military structure such as a Castle, Fortress, Wall, etc.}} + {{label|en|military structure}} + {{label|fr|structure militaire}} + {{label|de|militärisches Bauwerk}} + {{label|el|Στρατιωτική Δομή}} + {{label|nl|militair bouwwerk}} + {{label|ur|فوجی ڈھانچہ}} + {{label|ko| 군사 건축물}} +| comments = + {{comment|en|A military structure such as a Castle, Fortress, Wall, etc.}} + {{comment|fr|Une structure miltaire telle qu'un château, une forteresse, des remparts, etc.}} + {{comment|ur|ایک فوجی ڈھانچہ جیسے قلعہ اور دیوار وغیرہ}} | rdfs:subClassOf = ArchitecturalStructure -}}OntologyClass:MilitaryUnit200405467512015-03-21T17:58:59Z{{Class +}}OntologyClass:MilitaryUnit200405577342022-04-26T11:54:36Z{{Class | labels = {{label|en|military unit}} {{label|de|Militäreinheit}} @@ -5127,19 +5999,24 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ko|군대}} {{label|el|Στρατιωτική Μονάδα}} {{label|nl|militaire eenheid}} +{{label|ur|فوجی یونٹ}} | rdfs:subClassOf = Organisation | owl:equivalentClass = wikidata:Q176799 -}}OntologyClass:MilitaryVehicle20011152528192018-02-08T19:57:00Z{{Class +}}OntologyClass:MilitaryVehicle20011152566872022-02-28T10:39:26Z{{Class | labels = {{label|en|military vehicle}} +{{label|fr|véhicule militaire}} +{{label|ur|فوجی گاڑی}} {{label|de|Militärfahrzeug}} {{label|nl|legervoertuig}} | rdfs:subClassOf = MeanOfTransportation, schema:Product | owl:equivalentClass = -}}OntologyClass:Mill2006005521192017-06-19T11:09:14Z{{Class +}}OntologyClass:Mill2006005565522022-02-18T03:24:26Z{{Class | labels = {{label|el|Μύλος}} {{label|en|Mill}} +{{label|ur|چکی}} + {{label|ga|muileann}} {{label|fr|Moulin}} {{label|it|mulino}} @@ -5151,23 +6028,30 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:subClassOf = ArchitecturalStructure | comments = {{comment|en|a unit operation designed to break a solid material into smaller pieces}} -| owl:equivalentClass = wikidata:Q44494 -}}OntologyClass:Mine20010253508472016-04-18T10:54:17Z{{Class -| labels = -{{label|en|mine }} -{{label|de|Mine (Bergwerk) }} -{{label|nl|mijn (delfstoffen))}} -{{label|ja|鉱山}} +{{comment|ur|ایک یونٹ آپریشن جو ٹھوس مواد کو چھوٹے ٹکڑوں میں توڑنے کے لیے ڈیزائن کیا گیا ہے۔}} -| comments = -{{comment|en|A mine is a place where mineral resources are or were extracted}} -{{comment|nl|Een mijn is een plaats waar delfstoffen worden of werden gewonnen}} +| owl:equivalentClass = wikidata:Q44494 +}}OntologyClass:Mine20010253575422022-04-24T12:36:05Z{{Class +| labels = + {{label|en|mine }} + {{label|de|Mine (Bergwerk) }} + {{label|nl|mijn (delfstoffen))}} + {{label|fr|mine}} + {{label|ja|鉱山}} +{{label|ja|کان}} +| comments = + {{comment|en|A mine is a place where mineral resources are or were extracted}} +{{comment|ur|کان ایک ایسی جگہ ہے جہاں معدنی وسائل ہیں یا نکالے گئے ہیں۔}} + {{comment|fr|Une mine est un endroit où des ressources minérales sont, ou ont été extraites.}} + {{comment|nl|Een mijn is een plaats waar delfstoffen worden of werden gewonnen}} | rdfs:subClassOf = Place | owl:disjointWith = Person -}}OntologyClass:Mineral2005765468452015-03-22T09:23:19Z{{Class +}}OntologyClass:Mineral2005765579272022-05-05T12:29:19Z{{Class | labels = {{label|en|mineral}} {{label|de|mineral}} +{{label|ur|معدنیات}} + {{label|el|ορυκτό}} {{label|it|minerale}} {{label|fr|minéral}} @@ -5176,37 +6060,46 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ko|광물}} | comments = {{comment|en|A naturally occurring solid chemical substance.<ref>http://en.wikipedia.org/wiki/Mineral</ref>}} +{{comment|ur|قدرتی طور پر پائے جانے والا ٹھوس کیمیائی مادہ}} {{comment|it|Corpi naturali inorganici, in genere solidi.<ref>http://it.wikipedia.org/wiki/Minerale</ref>}} | rdfs:subClassOf = ChemicalSubstance | owl:equivalentClass = wikidata:Q7946 }} ==References== -<references/>OntologyClass:Minister20011947524782017-10-16T00:27:24Z{{Class +<references/>OntologyClass:Minister20011947565542022-02-18T03:26:10Z{{Class | labels = {{label|en|minister}} {{label|de|Minister}} +{{label|ur|وزیر}} {{label|fr|ministre}} {{label|nl|minister}} | rdfs:subClassOf = Politician -}}OntologyClass:MixedMartialArtsEvent200406479522015-05-25T14:55:47Z{{Class +}}OntologyClass:MixedMartialArtsEvent200406577422022-04-26T12:10:14Z{{Class | labels = {{label|en|mixed martial arts event}} {{label|ga|imeacht ealaíona comhraic measctha}} {{label|de|Mixed Kampfkunst Veranstaltung}} {{label|fr|évènement d'arts martiaux mixtes}} +{{label|ur| مخلوط جنگ جو آرٹس تقریب}} | rdfs:subClassOf = SportsEvent -}}OntologyClass:MixedMartialArtsLeague2002176479552015-05-25T14:56:02Z{{Class +}}OntologyClass:MixedMartialArtsLeague2002176579282022-05-05T12:33:30Z{{Class | labels = {{label|en|mixed martial arts league}} +{{label|ur|مخلوط مارشل آرٹس کی انجمن}} + {{label|ga|sraith ealaíona comhraic measctha}} {{label|de|Mixed Kampfkunst Liga}} {{label|fr|ligue d'arts martiaux mixtes}} | comments = {{comment|en|a group of sports teams that compete against each other in Mixed Martial Arts}} +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروپ جو مخلوط مارشل آرٹس میں ایک دوسرے سے مقابلہ کرتا ہے۔}} + | rdfs:subClassOf = SportsLeague -}}OntologyClass:MobilePhone20011065537342020-09-25T19:47:32Z{{Class +}}OntologyClass:MobilePhone20011065565582022-02-18T03:28:43Z{{Class | labels = {{label|en|mobile phone}} +{{label|ur|موبائل فون}} + {{label|it|telefono cellulare}} {{label|de|Mobiltelefon (Handy)}} {{label|fr|téléphone mobile}} @@ -5216,7 +6109,7 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl|mobiele telefoon}} | rdfs:subClassOf = Device | owl:equivalentClass = wikidata:Q17517 -}}OntologyClass:Model200407483342015-05-25T15:58:43Z{{Class +}}OntologyClass:Model200407577472022-04-26T12:16:41Z{{Class | labels = {{label|en|model}} {{label|ga|mainicín}} @@ -5226,11 +6119,13 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ko|모델}} {{label|ja|モデル_(職業)}} {{label|nl|(foto)model}} +{{label|ur|نمائش کرنے والا}} | rdfs:subClassOf = Person | owl:equivalentClass = wikidata:Q4610556 -}}OntologyClass:Mollusca200408462732015-03-18T16:50:23Z{{Class +}}OntologyClass:Mollusca200408579382022-05-05T12:59:11Z{{Class | labels = {{label|en|mollusca}} +{{label|ur|ریڑھ کی ہڈی کے بغیر جانور}} {{label|de|Weichtiere}} {{label|el|μαλάκια}} {{label|fr|mollusque}} @@ -5240,10 +6135,12 @@ A hormone is any member of a class of signaling molecules produced by glands in | comments = {{comment|el|Τα μαλάκια αποτελούν μια τεράστια συνομοταξία ζώων, την πολυπληθέστερη μετά τα αρθρόποδα, με πάνω από 100.000 είδη.}} | owl:equivalentClass = wikidata:Q25326 -}}OntologyClass:Monarch200409523472017-10-10T13:50:19Z{{Class +}}OntologyClass:Monarch200409565602022-02-18T03:30:47Z{{Class | labels = {{label|en|monarch}} {{label|nl|monarch}} +{{label|ur|بادشاہ}} + {{label|da|monark}} {{label|de|monarch}} {{label|it|monarca}} @@ -5255,7 +6152,7 @@ A hormone is any member of a class of signaling molecules produced by glands in |rdfs:subClassOf=Person | owl:equivalentClass = wikidata:Q116 -}}OntologyClass:Monastery2006029523482017-10-10T13:51:20Z{{Class +}}OntologyClass:Monastery2006029577512022-04-26T12:20:30Z{{Class | labels = {{label|en|monastery}} {{label|ca|monestir}} @@ -5267,9 +6164,11 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl|klooster}} {{label|pl|klasztor}} {{label|ja|僧院}} - +{{label|ur|خانقاہ}} |comments= {{comment|en|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.<ref>http://en.wikipedia.org/wiki/Monastry</ref>}} + +{{comment|ur|خانقاہ عمارت، یا عمارتوں کے کمپلیکس کی نشاندہی کرتی ہے، جس میں خانقاہوں کے گھریلو کوارٹرز اور کام کی جگہیں شامل ہیں، چاہے وہ راہب ہوں یا راہبائیں، اور چاہے وہ برادری میں رہ رہے ہوں یا اکیلے (حرمت والے)۔ خانقاہ میں عام طور پر نماز کے لیے مخصوص جگہ شامل ہوتی ہے جو ایک چیپل، گرجا گھر یا مندر ہو سکتا ہے، اور ایک تقریر کے طور پر بھی کام کر سکتا ہے۔<ref>http://en.wikipedia.org/wiki/Monastry</ref>}} {{comment|ca|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.<ref>https://ca.wikipedia.org/wiki/Monestir</ref>}} {{comment|el|Μονή υποδηλώνει το κτίριο ή συγκρότημα κτιρίων, που αποτελείται από τις εγχώρια τρίμηνα και στο χώρο εργασίας (ες) των μοναχών, αν οι μοναχοί ή μοναχές, και αν ζουν στην κοινότητα ή μεμονωμένα (ερημίτες). Η μονή περιλαμβάνει γενικά ένα χώρο που προορίζεται για την προσευχή που μπορεί να είναι ένα παρεκκλήσι, εκκλησία ή ναό, και μπορεί επίσης να χρησιμεύσει ως μια ρητορική.<ref>https://el.wikipedia.org/wiki/%CE%9C%CE%BF%CE%BD%CE%B1%CF%83%CF%84%CE%AE%CF%81%CE%B9_(%CE%B8%CF%81%CE%B7%CF%83%CE%BA%CE%B5%CE%AF%CE%B1)</ref>}} {{comment|fr|Le monastère est un ensemble de bâtiments où habite une communauté religieuse de moines ou de moniales.<ref>http://fr.wikipedia.org/wiki/Monast%C3%A8re</ref>.}} @@ -5280,16 +6179,20 @@ A hormone is any member of a class of signaling molecules produced by glands in | owl:equivalentClass = wikidata:Q44613, d0:Location }} -<references />OntologyClass:MonoclonalAntibody20011918523922017-10-15T11:48:07Z{{Class +<references />OntologyClass:MonoclonalAntibody20011918579412022-05-05T14:27:46Z{{Class | labels = {{label|de|monoklonaler Antikörper}} {{label|en|monoclonal antibody}} +{{label|ur|مونوکلونل دافِع جِسم}} + {{label|fr|monoclonal anticorps}} | comments = {{comment|en|Drugs that are a monoclonal antibody‎}} +{{comment|ur|وہ دوائیں جو ایک مونوکلونل دافِع جِسم ہیں۔‎‎}} + {{comment|en|Medikamente welche monoklonale Antikörper sind}} | rdfs:subClassOf = Drug -}}OntologyClass:Monument2002266526892017-11-29T15:47:57Z{{Class +}}OntologyClass:Monument2002266557102021-09-17T14:13:31Z{{Class | labels = {{label|en|monument}} {{label|ga|séadchomhartha}} @@ -5298,12 +6201,14 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl|monument}} {{label|de|Denkmal}} {{label|ja|モニュメント}} +{{label|ur|یادگار}} | comments = {{comment|en|A type of structure (a statue or an art object) created to commemorate a person or important event, not necessarily of a catastrophic nature. }} +{{comment|ur|ایک قسم کا ڈھانچہ (ایک مجسمہ یا آرٹ آبجیکٹ) کسی شخص یا اہم واقعہ کی یاد میں بنایا گیا ، ضروری نہیں کہ تباہ کن نوعیت کا ہو۔ }} | rdfs:subClassOf = ArchitecturalStructure | owl:equivalentClass = wikidata:Q4989906 -}}OntologyClass:Mosque2006700508512016-04-18T11:02:05Z{{Class +}}OntologyClass:Mosque2006700577572022-04-26T12:28:36Z{{Class | labels = {{label|en|mosque}} {{label|de|Moschee}} @@ -5314,9 +6219,13 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl|moskee}} {{label|pl|meczet}} {{label|ja|モスク}} +{{label|ur|مسجد}} | comments = {{comment|en|A mosque, sometimes spelt mosk, is a place of worship for followers of Islam.<ref>http://en.wikipedia.org/wiki/Mosque</ref>}} +{{comment|ur| ایک مسجد اسلام کے پیروکاروں کے لیے عبادت گاہ ہے۔<ref>http://en.wikipedia.org/wiki/Mosque</ref>}} + + {{comment|el|Το τζαμί είναι ο τόπος λατρείας των Μουσουλμάνων.}} {{comment|fr|Une mosquée est un lieu de culte où se rassemblent les musulmans pour les prières communes.<ref>http://fr.wikipedia.org/wiki/Mosquée</ref>}} {{comment|ga|Is áit adhartha na Moslamach, lucht leanúna an reiligiúin Ioslam, é mosc<ref>https://ga.wikipedia.org/wiki/Mosc</ref>}} @@ -5326,9 +6235,10 @@ A hormone is any member of a class of signaling molecules produced by glands in }} == references == -<references/>OntologyClass:Moss200410479722015-05-25T14:57:47Z{{Class +<references/>OntologyClass:Moss200410579442022-05-05T14:31:19Z{{Class | labels = {{label|en|moss}} +{{label|ur|کائی}} {{label|ga|caonach}} {{label|nl|mossen}} {{label|el|βρύο}} @@ -5337,22 +6247,26 @@ A hormone is any member of a class of signaling molecules produced by glands in {{Label|fr|mousses}} {{label|ja|蘚類}} | rdfs:subClassOf = Plant -}}OntologyClass:MotocycleRacer2008083492742015-10-18T12:03:35Z{{Class +}}OntologyClass:MotocycleRacer2008083580082022-05-06T11:04:01Z{{Class | labels = {{label|en|motocycle racer}} +{{label|ur|موٹر سائیکل دوڑانے والا}} + {{label|el|οδηγός αγώνων μοτοσυκλέτας}} {{label|de|Motorrad-Rennfahrer}} {{label|nl|motorcoureur}} | rdfs:subClassOf = MotorcycleRider -}}OntologyClass:MotorRace20011108468832015-03-22T12:17:21Z{{Class +}}OntologyClass:MotorRace20011108577602022-04-26T12:31:40Z{{Class | labels = {{label|en|motor race}} {{label|de|Motorradrennen}} {{label|nl|motorwedstrijd}} +{{label|ur|کار دوڑ}} | rdfs:subClassOf = Race -}}OntologyClass:Motorcycle2007998479952015-05-25T15:00:05Z{{Class +}}OntologyClass:Motorcycle2007998579532022-05-05T14:43:26Z{{Class | labels = {{label|en|motorcycle}} +{{label|ur|موٹر سائیکل}} {{label|ga|gluaisrothar}} {{label|de|Motorrad}} {{label|fr|moto}} @@ -5361,39 +6275,46 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl|motorfiets}} | rdfs:subClassOf = MeanOfTransportation | owl:equivalentClass = wikidata:Q34493 -}}OntologyClass:MotorcycleRacingLeague2002179467702015-03-21T19:13:25Z{{Class +}}OntologyClass:MotorcycleRacingLeague2002179580122022-05-06T11:10:04Z{{Class | labels = + +{{label|ur|موٹر سائیکل ریسنگ لیگ}} {{label|en|motorcycle racing league}} -{{label|de|Motorradrennen Liga}} -{{label|fr|ligue de courses motocycliste}} -{{label|nl|motorrace competitie}} | comments = + +{{comment|ur|کھیلوں کی ٹیموں یا بائیک سواروں کا ایک گروپ جو موٹر سائیکل ریسنگ میں ایک دوسرے سے مقابلہ کرتے ہیں}} {{comment|en|a group of sports teams or bikerider that compete against each other in Motorcycle Racing}} | rdfs:subClassOf = SportsLeague -}}OntologyClass:MotorcycleRider2006109469672015-03-22T18:28:26Z{{Class +}}OntologyClass:MotorcycleRider2006109564252022-02-16T18:28:42Z{{Class | labels = {{label|en|motorcycle rider}} {{label|de|Motorradfahrer}} {{label|el|μοτοσυκλετιστής}} {{label|nl|motorrijder}} +{{label|ur| موٹر سائیکل سوار}} | rdfs:subClassOf = MotorsportRacer -}}OntologyClass:MotorsportRacer2007970469652015-03-22T18:27:08Z{{Class +}}OntologyClass:MotorsportRacer2007970580102022-05-06T11:07:10Z{{Class | labels = {{label|en|motorsport racer}} {{label|de|Motorsport Fahrer}} {{label|nl|motorsport renner}} {{label|el|οδηγός αγώνων}} +{{label|ur|موٹر کھیل میں گاڑی دوڑانے والا}} | rdfs:subClassOf = Athlete -}}OntologyClass:MotorsportSeason2006089457542015-03-13T17:28:36Z{{Class +}}OntologyClass:MotorsportSeason2006089580142022-05-06T15:45:21Z{{Class | labels = {{label|en|motorsport season}} +{{label|ur|موٹر کھیل کا موسم}} + {{label|nl|motorsportseizoen}} {{label|de|Motorsportsaison}} | rdfs:subClassOf = SportsSeason -}}OntologyClass:Mountain200411481222015-05-25T15:13:28Z{{Class +}}OntologyClass:Mountain200411566092022-02-27T04:38:32Z{{Class | labels = {{label|en|mountain}} {{label|ga|sliabh}} {{label|nl|berg}} +{{label|ur|پہاڑ}} + {{label|de|Berg}} {{label|el|Βουνό}} {{label|fr|montagne}} @@ -5404,9 +6325,10 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:subClassOf = NaturalPlace | owl:equivalentClass = schema:Mountain, wikidata:Q8502 | owl:disjointWith = Person -}}OntologyClass:MountainPass2002270498572015-12-17T20:33:21Z{{Class +}}OntologyClass:MountainPass2002270579502022-05-05T14:40:20Z{{Class | labels = {{label|en|mountain pass}} +{{label|ur|درہ}} {{label|de|Bergpass}} {{label|fr|col de montagne}} {{label|el|Πέρασμα βουνού}} @@ -5415,11 +6337,14 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|pt|desfiladeiro}} | comments = {{comment|en|a path that allows the crossing of a mountain chain. It is usually a saddle point in between two areas of higher elevation}} +{{comment|ur|ایک راستہ جو پہاڑی سلسلہ کو عبور کرنے کی اجازت دیتا ہے۔ یہ عام طور پر اونچی اونچائی کے دو علاقوں کے درمیان ایک سیڈل پوائنٹ ہوتا ہے}} | rdfs:subClassOf = NaturalPlace | owl:equivalentClass = wikidata:Q133056 -}}OntologyClass:MountainRange2002267498582015-12-17T20:37:51Z{{Class +}}OntologyClass:MountainRange2002267565732022-02-18T03:44:39Z{{Class | labels = {{label|en|mountain range}} +{{label|ur|پہاڑی سلسلہ}} + {{label|de|Bergkette}} {{label|fr|chaîne de montagne}} {{label|el|Οροσειρά}} @@ -5428,56 +6353,63 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ko|산맥}} | comments = {{comment|en|a chain of mountains bordered by highlands or separated from other mountains by passes or valleys.}} +{{comment|ur|پہاڑوں کی ایک زنجیر جو پہاڑوں سے متصل ہے یا دوسرے پہاڑوں سے راستوں یا وادیوں سے الگ ہے۔.}} + | rdfs:subClassOf = NaturalPlace | owl:equivalentClass = wikidata:Q46831 -}}OntologyClass:MouseGene2005028482132015-05-25T15:22:32Z{{ Class +}}OntologyClass:MouseGene2005028578822022-05-04T10:58:34Z{{ Class |labels= -{{label|en|MouseGene}} -{{label|ga|géin luiche}} -{{label|de|Mausgenom}} -{{label|el|γονίδιο ποντικιού}} -{{label|ja|マウス遺伝子}} -{{label|nl|muisgenoom}} -| rdfs:subClassOf = Gene -}}OntologyClass:MouseGeneLocation2005050469792015-03-22T18:52:56Z{{ Class + {{label|ur|چوہے کا نَسبہ }} + {{label|en|MouseGene}} + {{label|ur|چوہے کا نَسبہ }} +| rdfs:subClassOf = نَسبہ +}}OntologyClass:MouseGeneLocation2005050579542022-05-05T14:47:38Z{{ Class | labels = {{label|en|MouseGeneLocation}} +{{label|ur|چوہے کے نَسبہ کا مقام}} {{label|de|Mausgenom Lokation}} {{label|nl|muisgenoom locatie}} {{label|ja|マウス遺伝子座}} {{label|nl|muisgenoom locatie}} | rdfs:subClassOf = GeneLocation -}}OntologyClass:MovieDirector2009431482852015-05-25T15:29:25Z{{Class +}}OntologyClass:MovieDirector2009431583572022-05-14T10:11:03Z{{Class | labels = {{label|en|Movie director}} +{{label|ur|فلم کا ہدایت کار }} {{label|ga|stiúrthóir scannáin}} {{label|nl|regisseur}} {{label|de|Filmregisseur}} {{label|fr|réalisateur de film}} | comments = {{comment|en|a person who oversees making of film.}} +{{comment|ur|ایک شخص جو فلم بنانے کی نگرانی کرتا ہے}} | rdfs:subClassOf = Person | owl:equivalentClass = wikidata:Q2526255 -}}OntologyClass:MovieGenre2005920511422016-06-04T20:08:08Z{{Class +}}OntologyClass:MovieGenre2005920566132022-02-27T04:44:44Z{{Class |labels= {{label|en|movie genre}} +{{label|ur|فلم کی صنف +}} {{label|ga|seánra scannáin}} {{label|de|Filmgenre}} {{label|el|είδος ταινίας}} {{label|fr|genre de film}} {{label|nl|filmgenre}} | rdfs:subClassOf = Genre -}}OntologyClass:MovingImage2009575469552015-03-22T18:02:51Z{{Class +}}OntologyClass:MovingImage2009575579782022-05-06T07:22:30Z{{Class | labels = {{label|en|moving image}} +{{label|ur|متحرک فلم}} {{label|de|Bewegtbilder}} {{label|nl|bewegend beeld}} | comments = {{comment|en|A visual document that is intended to be animated; equivalent to http://purl.org/dc/dcmitype/MovingImage}} +{{comment|ur|ایک بصری دستاویز جس کا مقصد متحرک ہونا ہے}} | rdfs:subClassOf = Image -}}OntologyClass:MovingWalkway20011098469072015-03-22T14:18:39Z{{Class +}}OntologyClass:MovingWalkway20011098580222022-05-06T15:59:04Z{{Class | labels = {{label|en|travellator}} +{{label|ur|حرکت پذیر پیدل چلنے کا راستہ}} {{label|de|Rollsteig}} {{label|nl|rolpad}} | specificProperties = @@ -5489,13 +6421,15 @@ A hormone is any member of a class of signaling molecules produced by glands in {{SpecificProperty | ontologyProperty = width | unit = millimetre }} | owl:disjointWith = Person | rdfs:subClassOf = On-SiteTransportation -}}OntologyClass:MultiVolumePublication2005985330912014-03-28T15:14:02Z{{Class +}}OntologyClass:MultiVolumePublication2005985566762022-02-28T10:14:43Z{{Class | labels = {{label|en|multi volume publication}} +{{label|fr|publication en plusieurs volumes}} +{{label|ur|کثیر حجم کی اشاعت}} {{label|de|mehrbändige Publikation}} {{label|nl|meerdelige publicatie}} | rdfs:subClassOf = WrittenWork -}}OntologyClass:Municipality2006568508522016-04-18T11:02:49Z{{Class +}}OntologyClass:Municipality2006568579802022-05-06T07:28:40Z{{Class | labels = {{label|en|municipality}} {{label|es|municipio}} @@ -5504,13 +6438,15 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|de|Gemeinde}} {{label|nl|gemeente}} {{label|ja|基礎自治体}} +{{label|ur|بلدیہ}} | comments = {{comment|en|An administrative body governing a territorial unity on the lower level, administering one or a few more settlements}} +{{comment|ur|ایک انتظامی ادارہ جو نچلی سطح پر علاقائی اتحاد کو کنٹرول کرتا ہے، ایک یا چند مزید بستیوں کا انتظام کرتا ہے}} {{comment|el|Δήμος ονομάζεται μία οντότητα της δημόσιας διοίκησης, η οποία στα περισσότερα κράτη αποτελεί τη βασική αυτοδιοικητική μονάδα και κατά κανόνα περιλαμβάνει μια πόλη ή κωμόπολη και τα γύρω χωριά της.}} {{comment|es|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}} | rdfs:subClassOf = GovernmentalAdministrativeRegion | owl:equivalentClass = -}}OntologyClass:Murderer2006203508532016-04-18T11:03:51Z{{Class +}}OntologyClass:Murderer2006203564452022-02-17T04:42:16Z{{Class | labels = {{label|en|murderer}} {{label|ga|dúnmharfóir}} {{label|fr|assassin}} @@ -5520,12 +6456,15 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl|moordenaar}} {{label|ko|연쇄 살인자}} {{label|ja|殺人}} +{{label|ur|قاتل}} | rdfs:subClassOf = Criminal | owl:equivalentClass = wikidata:Q16266334 -}}OntologyClass:Muscle200413479732015-05-25T14:58:02Z{{Class +}}OntologyClass:Muscle200413566182022-02-27T04:49:37Z{{Class | labels = {{label|en|muscle}} +{{label|ur|پٹھوں}} + {{label|ga|matán}} {{label|el|μυς}} {{label|de| Muskel}} @@ -5534,9 +6473,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl| spier}} | rdfs:subClassOf = AnatomicalStructure | owl:equivalentClass = wikidata:Q7365 -}}OntologyClass:Museum2002518474812015-04-01T19:03:40Z{{Class +}}OntologyClass:Museum2002518579822022-05-06T07:34:20Z{{Class | labels = {{label|en|museum}} +{{label|ur|عجائب گھر}} {{label|de|Museum}} {{label|nl|museum}} {{label|el|μουσείο}} @@ -5549,26 +6489,33 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:subClassOf = Building | owl:equivalentClass = schema:Museum | owl:equivalentClass = wikidata:Q33506 -}}OntologyClass:MusicComposer2009428387892014-12-02T10:00:27Z{{Class +}}OntologyClass:MusicComposer2009428580262022-05-06T16:06:14Z{{Class | labels = {{label|en|music composer}} +{{label|ur|موسیقی بنانے والا}} {{label|fr|compositeur}} {{label|nl|componist}} {{label|de|Komponist}} | comments = {{comment|en|a person who creates music.}} +{{comment|ur|ایک شخص جو موسیقی تخلیق کرتا ہے}} | rdfs:subClassOf = Writer -}}OntologyClass:MusicDirector2009429465052015-03-18T20:37:02Z{{Class +}}OntologyClass:MusicDirector2009429577732022-04-26T13:01:54Z{{Class | labels = {{label|en|music director}} {{label|nl|dirigent}} {{label|de|Dirigent}} +{{label|ur|موسیقی کا رہنما }} + {{label|fr|chef d'orchestre}} | comments = {{comment|en|A person who is the director of an orchestra or concert band.}} +{{comment|ur|ایک شخص جو سازینہ یا موسیقی بجانے والوں کا گروہ کا رہنما ہے}} + | rdfs:subClassOf = MusicalArtist | owl:equivalentClass = wikidata:Q1198887 -}}OntologyClass:MusicFestival200417468732015-03-22T11:48:16Z{{Class +}}OntologyClass:MusicFestival200417579842022-05-06T07:53:35Z{{Class | labels = {{label|en|music festival}} +{{label|ur|موسیقی میلہ}} {{label|de|Musikfestival}} {{label|el|φεστιβάλ μουσικής}} {{label|fr|festival de musique}} @@ -5577,9 +6524,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl|muziekfestival}} | rdfs:subClassOf = SocietalEvent | owl:equivalentClass = wikidata:Q868557, schema:Festival -}}OntologyClass:MusicGenre200418528112018-02-08T19:49:47Z{{Class +}}OntologyClass:MusicGenre200418580292022-05-06T16:08:54Z{{Class | labels = {{label|en|music genre}} +{{label|ur|موسیقی کی صنف}} {{label|de|musik genre}} {{label|it|genere musicale}} {{label|fr|genre musical}} @@ -5589,10 +6537,12 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ko|음악 장르}} | rdfs:subClassOf = Genre | owl:equivalentClass = wikidata:Q188451 -}}OntologyClass:Musical200414486262015-08-06T14:07:22Z{{Class +}}OntologyClass:Musical200414577752022-04-26T13:05:51Z{{Class | labels = {{label|en|musical}} {{label|nl|musical}} +{{label|ur|موسیقی کا}} + {{label|de|Musical}} {{label|el|μουσικός}} {{label|fr|musique}} @@ -5600,7 +6550,7 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ko| 뮤지컬}} | rdfs:subClassOf = MusicalWork | owl:equivalentClass = wikidata:Q2743 -}}OntologyClass:MusicalArtist200415520382017-05-04T10:59:46Z +}}OntologyClass:MusicalArtist200415549312021-09-09T08:09:18Z {{Class | labels = {{label|en|musical artist}} @@ -5611,33 +6561,40 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|el|μουσικός}} {{label|ko|음악가 }} {{label|ja|音楽家}} +{{label|ur|موسیقی کا فنکار}} | rdfs:subClassOf = Artist, schema:MusicGroup, dul:NaturalPerson -}}OntologyClass:MusicalWork200416462852015-03-18T17:13:33Z{{Class +}}OntologyClass:MusicalWork200416559952021-09-18T07:54:29Z{{Class | labels = {{label|en|musical work}} {{label|de|musikalisches Werk}} {{label|it|opera musicale}} {{label|el|μουσικό έργο}} {{label|fr|œuvre musicale}} -{{label|nl|muziekwerk}} + +{{label|ur|موسیقی کا کام}} | rdfs:subClassOf = Work | owl:equivalentClass = wikidata:Q2188189 -}}OntologyClass:MythologicalFigure2008199485972015-08-05T16:02:54Z{{Class +}}OntologyClass:MythologicalFigure2008199566822022-02-28T10:30:51Z{{Class | labels = {{label|en|mythological figure}} +{{label|fr|personnage mythologique}} {{label|de|mythologische Gestalt}} +{{label|ur|افسانوی شکل}} {{label|el|μυθικό πλάσμα}} {{label|it|figura mitologica}} {{label|nl|mythologisch figuur}} | rdfs:subClassOf = FictionalCharacter <!-- this is not always correct --> | owl:equivalentClass = wikidata:Q15410431 -}}OntologyClass:NCAATeamSeason2006071470742015-03-23T11:57:39Z{{Class +}}OntologyClass:NCAATeamSeason2006071585862022-05-15T06:51:47Z{{Class | labels = {{label|en|national collegiate athletic association team season}} {{label|de|NCAA Team Saison}} {{label|nl|NCAA team seizoen}} -| rdfs:subClassOf = SportsTeamSeason -}}OntologyClass:Name2004128486042015-08-06T06:11:26Z{{Class +{{label|ur|قومی کالج ورزش انجمن کاموسم}} +| rdfs:subClassOf = SportsTeamSeason + + +}}OntologyClass:Name2004128556852021-09-17T12:02:31Z{{Class | labels = {{label|en|name}} {{label|de|Name}} @@ -5648,60 +6605,83 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl|naam}} {{label|pl|nazwa}} {{label|pt|nome}} + {{label|ur|نام}} | rdfs:subClassOf = owl:Thing | owl:equivalentClass = wikidata:Q82799 -}}OntologyClass:NarutoCharacter2007773507172016-04-13T14:36:35Z{{Class +}}OntologyClass:NarutoCharacter2007773563232022-02-16T12:42:18Z{{Class | labels = {{label|en|naruto character}} {{label|ga|carachtar naruto}} {{label|de|Naruto Charakter}} {{label|nl|personage in Naruto}} +{{label|ur|افسانوی کردار}} + | rdfs:subClassOf = FictionalCharacter -}}OntologyClass:NascarDriver200419467152015-03-21T14:20:38Z{{Class -| labels = -{{label|en|nascar driver}} -{{label|de|NASCAR Fahrer}} + + + + +}}OntologyClass:NascarDriver200419563442022-02-16T13:10:30Z{{Class +| labels = +{{label|en|nascar driver}} +{{label|de|NASCAR Fahrer}} {{label|nl|nascar coureur}} {{label|el|οδηγός αγώνων nascar}} {{label|fr|pilote de la nascar}} +{{label|ur|نیسکار ڈرائیور}} | rdfs:subClassOf = RacingDriver -}}OntologyClass:NationalAnthem2009432482882015-05-25T15:29:39Z{{Class + +}}OntologyClass:NationalAnthem2009432563002022-02-16T12:02:46Z{{Class | labels = {{label|en|National anthem}} {{label|ga|amhrán náisiúnta}} {{label|de|Nationalhymne}} {{label|fr|Hymne national}} {{label|nl|volkslied}} +{{label|ur|قومی ترانہ}} | comments = {{comment|en|Patriotic musical composition which is the offcial national song.}} +{{comment|ur|محب وطن موسیقی کی ساخت جو سرکاری قومی گانا ہے۔}} | rdfs:subClassOf = MusicalWork + | owl:equivalentClass = wikidata:Q23691 -}}OntologyClass:NationalCollegiateAthleticAssociationAthlete200420515192016-09-18T14:59:29Z{{Class +}}OntologyClass:NationalCollegiateAthleticAssociationAthlete200420563282022-02-16T12:45:23Z{{Class | labels = {{label|en|national collegiate athletic association athlete}} {{label|nl|National Collegiate Athletic Association atleet}} {{label|ga|lúthchleasaí sa National Collegiate Athletic Association}} {{label|de|NCAA}} +{{label|ur|قومی اعلی درجے کا مدرسہ کھیل کے متعلق دوستی}} {{label|fr|athlète de la national collegiate athletic association}} | rdfs:subClassOf = Athlete -}}OntologyClass:NationalFootballLeagueEvent2008152457662015-03-13T19:40:14Z{{Class + + +}}OntologyClass:NationalFootballLeagueEvent2008152586172022-05-15T08:09:33Z{{Class | labels = {{label|en|national football league event}} {{label|de|NFL Game day}} +{{label|ur|قومی فٹ بال انجمن تقریب}} | rdfs:subClassOf = SportsEvent -}}OntologyClass:NationalFootballLeagueSeason2006079470732015-03-23T11:55:38Z{{Class + + +}}OntologyClass:NationalFootballLeagueSeason2006079563012022-02-16T12:08:58Z{{Class | labels = {{label|en|national football league season}} +{{label|ur|قومی فٹ بال لیگ کا موسم}} {{label|de|NFL Saison}} | rdfs:subClassOf = FootballLeagueSeason -}}OntologyClass:NationalSoccerClub2004448467852015-03-21T20:06:14Z{{Class +}}OntologyClass:NationalSoccerClub2004448586292022-05-15T08:31:49Z{{Class | labels = {{label|en|national soccer club}} {{label|de|nationaler Fußballverein}} {{label|tr|milli takım}} {{label|nl|nationale voetbalclub}} +{{label|ur|قومی فٹ بال تنظیم}} | rdfs:subClassOf = SoccerClub -}}OntologyClass:NaturalEvent2008701526432017-11-03T16:01:39Z{{Class + + + +}}OntologyClass:NaturalEvent2008701586222022-05-15T08:14:10Z{{Class | labels = {{label|en|natural event}} {{label|el|φυσικό γεγονός}} @@ -5709,10 +6689,13 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|it|evento naturale}} {{label|nl|gebeurtenis in de natuur}} {{label|fr|événement naturel}} + {{label|ur|قدرتی واقعہ}} | comments = {{comment|el|Το φυσικό γεγονός χρησιμοποιείται για να περιγράψει ένα συμβάν που πραγματοποιείται φυσικά}} -| rdfs:subClassOf = Event -}}OntologyClass:NaturalPlace2003255498362015-12-17T18:15:50Z{{Class + {{comment|ur|مادی تقریب کا استعمال قدرتی طور پر رونما ہونے والے واقعے کو بیان کرنے کے لیے کیا جاتا ہے۔}} + +| rdfs:subClassOf =Event +}}OntologyClass:NaturalPlace2003255550472021-09-09T13:48:46Z{{Class |labels = {{label|en|natural place}} {{label|el|φυσική θέση}} @@ -5720,30 +6703,36 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|fr|lieu naturel}} {{label|nl|natuurgebied}} {{label|pt|lugar natural}} + {{label|ur|قدرتی جگہ}} | comments = {{comment|el|Η φυσική θέση ερμηνεύει όλα τα σημεία που απαντώνται φυσικά στο σύμπαν}} {{comment|en|The natural place encompasses all places occurring naturally in universe.}} {{comment|de|Der natürlicher Ort beinhaltet alle Orte die natürlicherweise im Universum existieren.}} +{{comment|ur|قدرتی جگہ کائنات میں قدرتی طور پر پائے جانے والے تمام مقامات پر محیط ہے۔}} | rdfs:subClassOf = Place -}}OntologyClass:NaturalRegion2007222464542015-03-18T18:47:10Z{{Class +}}OntologyClass:NaturalRegion2007222586082022-05-15T07:53:59Z{{Class | labels = {{label|en|natural region}} {{label|de|Naturraum}} {{label|fr|région naturelle}} {{label|el|φυσική περιοχή}} {{label|nl|natuurlijke regio}} +{{label|ur|قدرتی علاقہ}} | rdfs:subClassOf = Region + | comments = {{comment|el|H φυσική περιοχή χρησιμοποιείται για να περιγράψει την έκταση μιας γεωγραφικής περιοχής στην οποία η ανθρωπογενής παρέμβαση είναι ανύπαρκτη μέχρι ελάχιστη}} +{{comment|ur|قدرتی رقبہ کا استعمال کسی جغرافیائی علاقے کی حد کو بیان کرنے کے لیے کیا جاتا ہے جس میں بشریات کی مداخلت کم از کم موجود نہیں ہوتی}} | owl:equivalentClass = wikidata:Q1970725 -}}OntologyClass:Nebula20012216533742018-10-19T10:04:35Z{{Class +}}OntologyClass:Nebula20012216573372022-03-31T10:53:49Z{{Class |labels= {{label|en|Nebula}} - - {{label|ru|Туманность}} + {{label|fr|Nébuleuse}} + {{label|ru|Туманность}} + {{label|ur|آنکھ کا جالا}} | owl:disjointWith = Person | rdfs:subClassOf = CelestialBody -}}OntologyClass:Nerve200421508812016-04-19T11:23:02Z{{Class +}}OntologyClass:Nerve200421563032022-02-16T12:12:36Z{{Class | labels = {{label|en|nerve}} {{label|ga|néaróg}} @@ -5752,17 +6741,20 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|fr|nerf}} {{label|nl|zenuw}} {{label|ja|神経}} +{{label|ur|اعصاب}} | rdfs:subClassOf = AnatomicalStructure | owl:equivalentClass = wikidata:Q9620 -}}OntologyClass:NetballPlayer2007323515032016-09-16T22:02:30Z{{Class +}}OntologyClass:NetballPlayer2007323563352022-02-16T12:52:51Z{{Class | labels = {{label|it|giocatore di netball}} {{label|en|netball player}} {{label|nl|korfbalspeler}} {{label|de|Korbballspieler}} +{{label|de|نیٹ بال کھلاڑی}} | rdfs:subClassOf = Athlete -}}OntologyClass:Newspaper200422471232015-03-23T16:24:46Z{{Class + +}}OntologyClass:Newspaper200422563482022-02-16T13:16:13Z{{Class | labels = {{label|en|newspaper}} {{label|nl|krant}} @@ -5771,12 +6763,19 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|el|εφημερίδα}} {{label|ko|신문}} {{label|ja|新聞}} -| rdfs:subClassOf = PeriodicalLiterature +{{label|ur|اخبار}} +| rdfs:subClassOf =PeriodicalLiterature + + + + | comments = +{{comment|ur|اخبار ایک باقاعدہ شیڈول اشاعت ہے جس میں موجودہ واقعات، معلوماتی مضامین، متنوع خصوصیات اور اشتہارات کی خبریں ہوتی ہیں۔ یہ عام طور پر نسبتاً سستے، کم درجے کے کاغذ پر پرنٹ کیا جاتا ہے جیسے نیوز پرنٹ۔}} + {{comment|en|A 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.}} {{comment|de|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.}} | owl:equivalentClass = wikidata:Q11032 -}}OntologyClass:NobelPrize2007678482892015-05-25T15:29:44Z{{Class +}}OntologyClass:NobelPrize2007678563052022-02-16T12:17:18Z{{Class | labels = {{label|en|Nobel Prize}} {{label|ga|Duais Nobel}} @@ -5786,27 +6785,34 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|es|Premio Nobel}} {{label|de|Nobelpreis}} {{label|ja|ノーベル賞}} + {{label|ur| اعلی انعام }} {{label|el|Βραβείο Νόμπελ}} | rdfs:subClassOf = Award | owl:equivalentClass = wikidata:Q7191 -}}OntologyClass:Noble2006066508822016-04-19T11:24:31Z{{Class +}}OntologyClass:Noble2006066573652022-03-31T12:27:18Z{{Class | labels = -{{label|en|noble}} -{{label|de|Adliger}} -{{label|el|ευγενής}} -{{label|nl|edele}} -{{label|ja|高貴な}} + {{label|en|noble}} + {{label|fr|noble}} + {{label|de|Adliger}} + {{label|el|ευγενής}} + {{label|nl|edele}} + {{label|ja|高貴な}} + {{label|ur|عظیم}} | rdfs:subClassOf = Person -}}OntologyClass:NobleFamily2008666467362015-03-21T16:02:04Z{{Class +}}OntologyClass:NobleFamily2008666573662022-03-31T12:29:29Z{{Class | labels = -{{label|en|Noble family}} -{{label|de|Adelsfamilie}} -{{label|nl|adelijk geslacht}} + {{label|en|Noble family}} + {{label|fr|Famille noble}} + {{label|de|Adelsfamilie}} + {{label|nl|adelijk geslacht}} + {{label|ur|شریف خاندان}} | rdfs:subClassOf = Family | comments = -{{comment|en|Family deemed to be of noble descent}} + {{comment|en|Family deemed to be of noble descent}} + {{comment|fr|Famille réputée d'ascendance noble}} + {{comment|ur|خاندان کو شریف النسل سمجھا جاتا ہے۔}} | owl:equivalentClass = wikidata:Q13417114 -}}OntologyClass:Non-ProfitOrganisation200423517972017-01-04T16:20:22Z{{Class +}}OntologyClass:Non-ProfitOrganisation200423563072022-02-16T12:21:13Z{{Class | labels= {{label|en|non-profit organisation}} {{label|de|gemeinnützige Organisation}} @@ -5814,15 +6820,19 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|fr|organisation à but non lucratif}} {{label|nl|non-profit organisatie}} {{label|ru|Некоммерческая организация}} +{{label|ur|غیر منافع بخش تنظیم}} | rdfs:subClassOf = Organisation | owl:equivalentClass = wikidata:Q163740 -}}OntologyClass:NordicCombined20011182472982015-03-30T09:22:24Z{{Class +}}OntologyClass:NordicCombined20011182586192022-05-15T08:12:04Z{{Class | labels = {{label|en|Nordic Combined}} {{label|de|Nordischer Kombinierer}} +{{label|ur|مشترکہ نورڈک }} +|comments= +{{comment|ur|نورڈک کمبائنڈ ایک موسم سرما کا کھیل ہے جس میں ما بین ملک کے کھلاڑی سکینگ اور سکی جمپنگ میں مقابلہ کرتے ہیں۔}} | rdfs:subClassOf = WinterSportPlayer -}}OntologyClass:Novel2005816520962017-06-19T10:46:07Z{{Class +}}OntologyClass:Novel2005816562812022-02-16T10:35:00Z{{Class | labels = {{label|en| novel}} {{label|ga|úrscéal}} @@ -5833,15 +6843,18 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja | 小説}} {{label|nl| roman}} {{label|fr|roman}} -| rdfs:subClassOf = Book +{{label|ur|افسانه}} +| rdfs:subClassOf = book | comments = +{{comment|ur| ادبی نثر میں طویل داستان کی کتاب>http://en.wikipedia.org/wiki/Novel</ref>}} + {{comment|en| A book of long narrative in literary prose<ref name="novel">http://en.wikipedia.org/wiki/Novel</ref>}} {{comment|el|Ένα βιβλίο με μεγάλη αφήγηση σε λογοτεχνική πρόζα}} {{comment|fr|Le roman est un genre littéraire, caractérisé pour l'essentiel par une narration fictionnelle plus ou moins longue.<ref>http://fr.wikipedia.org/wiki/Roman_%28litt%C3%A9rature%29</ref>}} | owl:equivalentClass = wikidata:Q8261 }} ==References== -<references/>OntologyClass:NuclearPowerStation2009144482902015-05-25T15:29:50Z{{Class +<references/>OntologyClass:NuclearPowerStation2009144563092022-02-16T12:27:58Z{{Class | labels = {{label|de|Kernkraftwerk}} {{label|en|Nuclear Power plant}} @@ -5849,9 +6862,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|el|Πυρηνικός Σταθμός Παραγωγής Ενέργειας}} {{label|fr|centrale nucléaire}} {{label|nl|kernenergiecentrale}} +{{label|ur|ایٹمی بجلی گھر}} | rdfs:subClassOf = PowerStation | owl:equivalentClass = wikidata:Q134447 -}}OntologyClass:Ocean2009440508832016-04-19T11:25:26Z{{Class +}}OntologyClass:Ocean2009440563632022-02-16T14:17:21Z{{Class | labels = {{label|en|Ocean}} {{label|ga|aigéan}} @@ -5861,11 +6875,15 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl|oceaan}} {{label|pt|oceano}} {{label|ja|大洋}} -| comments = {{comment|en|A body of saline water that composes much of a planet's hydrosphere.}} +{{label|ur|سمندر}} +| comments = +{{comment|ur|نمکین پانی کا ایک جسم جو سیارے کے ہائیڈروسفیئر کا زیادہ تر حصہ بناتا ہے۔ }} + + {{comment|en|A body of saline water that composes much of a planet's hydrosphere.}} {{comment|el| Μάζα αλμυρού νερού που αποτελεί σημαντικό μέρος της υδρόσφαιρας ενός πλανήτη.}} | rdfs:subClassOf = BodyOfWater | owl:equivalentClass = wikidata:Q9430 -}}OntologyClass:OfficeHolder200424468122015-03-21T21:41:28Z{{Class +}}OntologyClass:OfficeHolder200424563762022-02-16T14:46:01Z{{Class | labels = {{label|en|office holder}} {{label|el|κάτοχος δημόσιου αξιώματος}} @@ -5874,20 +6892,25 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|de|Amtsinhaber}} {{label|ko|공직자}} {{label|nl|ambtsdrager}} +{{label|ur|عہدے دار}} | rdfs:subClassOf = Person -}}OntologyClass:OldTerritory2007171457732015-03-13T20:33:16Z{{Class +}}OntologyClass:OldTerritory2007171566832022-02-28T10:31:58Z{{Class | labels = {{label|en|old territory}} +{{label|fr|ancien territoire}} {{label|de|alten Länder}} +{{label|ur|پرانا علاقہ}} | rdfs:subClassOf = Territory -}}OntologyClass:OlympicEvent2006085468792015-03-22T12:04:39Z{{Class +}}OntologyClass:OlympicEvent2006085566772022-02-28T10:15:46Z{{Class | labels = {{label|en|olympic event}} {{label|de|olympische Veranstaltung}} {{label|el|ολυμπικακό γεγονός}} +{{label|fr|événement olympique}} {{label|nl|Olympisch evenement}} +{{label|ur|اولمپک کھیلوں کی تقریب}} | rdfs:subClassOf = Olympics -}}OntologyClass:OlympicResult200425345362014-04-08T15:47:10Z{{Class +}}OntologyClass:OlympicResult200425579742022-05-06T04:53:38Z{{Class |labels= {{label|en|olympic result}} {{label|de|olympisches Ergebnis}} @@ -5895,8 +6918,9 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|fr|résultat de Jeux Olympiques}} {{label|es|resultados de Juegos Olímpicos}} {{label|nl|resultaat op de Olympische Spelen}} + {{label|ur|اولمپک کا نتیجہ}} | rdfs:subClassOf = SportCompetitionResult -}}OntologyClass:Olympics200426481252015-05-25T15:13:45Z{{Class +}}OntologyClass:Olympics200426563552022-02-16T13:33:28Z{{Class | labels = {{label|en|olympics}} {{label|ga|Na Cluichí Oilimpeacha}} @@ -5907,12 +6931,14 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ko|올림픽}} {{label|ja|近代オリンピック}} {{label|nl|Olympische Spelen}} +{{label|ur|اولمپکس}} | rdfs:subClassOf = SportsEvent -}}OntologyClass:On-SiteTransportation20011095469042015-03-22T14:08:37Z{{Class +}}OntologyClass:On-SiteTransportation20011095560892021-11-05T07:55:53Z{{Class | labels = {{label|en|on-site mean of transportation}} {{label|de|Vorortbeförderungsmittel}} {{label|nl|stationair vervoermiddel}} +{{label|ur|کِسی موقع مقام پر نقل و حمل}} | specificProperties = {{SpecificProperty | ontologyProperty = diameter | unit = metre }} {{SpecificProperty | ontologyProperty = mass | unit = kilogram }} @@ -5922,14 +6948,15 @@ A hormone is any member of a class of signaling molecules produced by glands in {{SpecificProperty | ontologyProperty = width | unit = millimetre }} | owl:disjointWith = Person | rdfs:subClassOf = MeanOfTransportation -}}OntologyClass:Openswarm2006132515162016-09-18T14:38:43Z{{Class +}}OntologyClass:Openswarm2006132563822022-02-16T15:02:19Z{{Class | labels = {{label|en|Open Swarm}} {{label|nl|open zwerm (cluster)}} {{label|de|Open Swarm}} {{label|el|Ανοικτό σμήνος}} +{{label|ur|کھلی بھیڑ}} | rdfs:subClassOf = Swarm -}}OntologyClass:Opera2005929482922015-05-25T15:30:13Z{{Class +}}OntologyClass:Opera2005929563572022-02-16T13:39:49Z{{Class |labels= {{label|en|opera}} {{label|ga|ceoldráma}} @@ -5940,9 +6967,12 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|es|όpera}} {{label|ja|オペラ}} {{label|nl|opera}} +{{label|ur|موسیقی کے ساتھ نقل یا اداکاری}} + + | rdfs:subClassOf = MusicalWork | owl:equivalentClass = wikidata:Q1344 -}}OntologyClass:Organ2007979508842016-04-19T11:27:36Z{{Class +}}OntologyClass:Organ2007979563682022-02-16T14:31:50Z{{Class | labels = {{label|en|organ}} {{label|fr|Orgue}} @@ -5950,12 +6980,14 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl|orgel}} {{label|de|Orgel}} {{label|ja|オルガン}} + {{label|ur|عضو}} | comments = + {{ comment|ur|اعضاء کی تمام اقسام اور سائز}} {{ comment|en|All types and sizes of organs}} {{ comment|el|Όλα τα είδη και τα μεγέθη των οργάνων}} | rdfs:subClassOf = Instrument | owl:equivalentClass = wikidata:Q1444 -}}OntologyClass:Organisation200427537772020-10-19T17:28:58Z{{Class +}}OntologyClass:Organisation200427549612021-09-09T09:43:32Z{{Class | labels = {{label|en|organisation}} {{label|es|organización}} @@ -5969,32 +7001,39 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|sl|organizacija}} {{label|ko|조직}} {{label|ja|組織}} + {{label|ur|تنظیم}} | rdfs:subClassOf = Agent | owl:equivalentClass = schema:Organization, dul:SocialPerson, wikidata:Q43229 | owl:disjointWith = Person | owl:disjointWith = wgs84_pos:SpatialThing -}}OntologyClass:OrganisationMember2005039469472015-03-22T17:20:35Z{{Class +}}OntologyClass:OrganisationMember2005039567682022-02-28T18:00:49Z{{Class |labels= {{label|en|Organisation member}} {{label|de|Organisationsmitglied}} +{{label|fr|Membre d'organisation}} {{label|es|Miembro de organización}} {{label|el|Μέλος οργανισμού}} {{label|nl|organisatielid}} +{{label|ur|تنظیم کے رکن}} |comments= {{comment|en|A member of an organisation.}} +{{comment|fr|Membre appartenant à une organisation.}} {{comment|el| Μέλος ενός οργανισμού.}} +{{comment|ur|کسی تنظیم کا ممبر }} | rdfs:subClassOf = Person -}}OntologyClass:Outbreak20012296536052020-04-04T16:35:41Z{{Class +}}OntologyClass:Outbreak20012296563742022-02-16T14:42:04Z{{Class | labels = {{label|en|Outbreak}} +{{label|ur|ہنگامہ}} | rdfs:subClassOf = Event | owl:equivalentClass = wikidata:Q495513 -}}OntologyClass:OverseasDepartment2007020464222015-03-18T18:30:57Z{{Class +}}OntologyClass:OverseasDepartment2007020566062022-02-18T06:12:30Z{{Class | labels = {{label|en|overseas department}} {{label|de|Übersee-Departement}} {{label|fr|département outre mer}} {{label|nl|overzees departement}} +{{label|ur|بیرون ملک کے محکمے}} | rdfs:subClassOf = Department | owl:equivalentClass = wikidata:Q202216 }}OntologyClass:Owl:Thing2006457391752015-01-11T18:45:39ZThis class is already defined in the [http://dbpedia.hg.sourceforge.net/hgweb/dbpedia/extraction_framework/file/dump/core/src/main/scala/org/dbpedia/extraction/ontology/io/OntologyReader.scala DBpedia source code]. Please do not add any definition here. The system does not work when there is a duplicate definition. This also means that we cannot add labels for other languages. Sorry. Maybe we'll change that some day. @@ -6010,18 +7049,20 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:range = xsd:string | owl:equivalentClass = owl:Thing }} --->OntologyClass:PaintballLeague2002182345372014-04-08T15:47:18Z{{Class +-->OntologyClass:PaintballLeague2002182585912022-05-15T07:10:04Z{{Class | labels = {{label|en|paintball league}} {{label|de|Paintball-Liga}} {{label|el|κύπελλο paintball}} {{label|fr|ligue de paintball}} {{label|nl|paintball competitie}} +{{label|ur|پینٹبال انجمن}} | rdfs:subClassOf = SportsLeague | comments = {{comment|en|a group of sports teams that compete against each other in Paintball}} {{comment|el|ένα γκρουπ αθλητικών ομάδων που ανταγωνίζονται στο paintball}} -}}OntologyClass:Painter2006465520872017-06-19T10:38:50Z{{Class +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروہ جو پینٹ بال(مصنوعي روغني گوليوں سے فوجي انداز کي جنگ لڑنے کي نقل) میں ایک دوسرے سے مقابلہ کرتا ہے۔}} +}}OntologyClass:Painter2006465580382022-05-10T14:04:19Z{{Class | rdfs:label@en = painter | rdfs:label@fr = peintre | rdfs:label@de = Maler @@ -6030,8 +7071,10 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@nl = schilder | rdfs:label@ja = 画家 | rdfs:subClassOf = Artist +|labels= +{{label|ur|رنگ ساز}} | owl:equivalentClass = wikidata:Q1028181 -}}OntologyClass:Painting2002386520852017-06-19T10:36:44Z{{Class +}}OntologyClass:Painting2002386580402022-05-10T15:21:07Z{{Class | labels = {{label|en|Painting}} {{label|ga|pictiúr}} @@ -6042,10 +7085,25 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|el|Έργο Ζωγραφικής}} {{label|ja|絵画}} {{label|nl|schilderij}} +{{label|ur|نقاشی}} | rdfs:subClassOf = Artwork | owl:equivalentClass = schema:Painting | rdfs:comment@en = Describes a painting to assign picture entries in wikipedia to artists. -}}OntologyClass:Parish2006477508872016-04-19T11:30:01Z{{Class +}}OntologyClass:Pandemic20013107580422022-05-10T15:24:18Z{{Class +| labels = + {{label|en|Pandemic}} + {{label|fr|Pandémie}} + {{label|zh|瘟疫}} +{{label|ur|عالمی وباء}} +| comments = + {{comment|en|Global epidemic of infectious disease}} + {{comment|fr|Epidémie globale de maladie infectieuse}} + {{comment|zh|也称大流行,是指某种流行病的大范围疾病爆发,其规模涉及多个大陆甚至全球(即全球大流行),并有大量人口患病}} +{{comment|ur|متعدی بیماری کی عالمی وبا}} +| rdfs:subClassOf = owl:Thing +| rdfs:domain = owl:Thing +| rdfs:range = Pandemic +}}OntologyClass:Parish2006477580442022-05-10T15:29:14Z{{Class | labels = {{label|en|parish}} {{label|ga|paróiste}} @@ -6054,13 +7112,15 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|fr|paroisse}} {{label|nl|parochie}} {{label|ja|小教区}} +{{label|ur|پادری کا علاقہ}} | comments = +{{comment|ur|علما کے انتظامی ادارے کی سب سے چھوٹی اکائی}} {{comment|en|The smallest unit of a clerical administrative body}} {{comment|el|Είναι η μικρότερη μονάδα στην διοικητική ιερατική δομή.}} | rdfs:subClassOf = ClericalAdministrativeRegion | owl:equivalentClass = -}}OntologyClass:Park200428481272015-05-25T15:13:50Z{{Class +}}OntologyClass:Park200428580492022-05-10T15:35:42Z{{Class | labels = {{label|en|park}} {{label|ga|páirc}} @@ -6071,11 +7131,13 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ko|공원}} {{label|ja|公園}} {{label|nl|park}} +{{label|ur|تفریح گاہ}} | comments= {{comment|en|A park is an area of open space provided for recreational use. http://en.wikipedia.org/wiki/Park}} +{{comment|ur|پارک کھلی جگہ کا ایک علاقہ ہے جو تفریحی استعمال کے لیے فراہم کی جاتی ہے۔}} | rdfs:subClassOf = Place | owl:equivalentClass = schema:Park -}}OntologyClass:Parliament2007937511282016-05-29T18:19:32Z{{Class +}}OntologyClass:Parliament2007937580512022-05-10T15:38:53Z{{Class | labels = {{label|en|parliament}} {{label|ga|parlaimint}} @@ -6085,41 +7147,59 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|el|κοινοβούλιο}} {{label|nl|parlement}} {{label|ja|議会}} +{{label|ur|مجلس قانون ساز}} | rdfs:subClassOf = Organisation | owl:equivalentClass = wikidata:Q35749 -}}OntologyClass:PenaltyShootOut2006809521582017-07-11T11:12:12Z{{Class +}}OntologyClass:PenaltyShootOut2006809585602022-05-15T05:38:51Z{{Class | labels = {{label|en|penalty shoot-out}} {{label|nl|penalty schieten}} {{label|ga|ciceanna éirice}} +{{label|ur| سزا دینے کا عمل}} {{label|de|Elfmeterschießen}} -| rdfs:subClassOf = Event, dul:Event -}}OntologyClass:PeriodOfArtisticStyle2006687457762015-03-14T09:33:30Z{{Class + +|comments= +{{comment|ur|سزا دینے کا عمل کھیلوں کے میچوں میں فاتح کا تعین کرنے کا ایک طریقہ ہے جو بصورت دیگر نکل دیا جاتا ہے یا برابر ہو جاتا۔}} + +| rdfs:subClassOf = Event, dul: +}}OntologyClass:PeriodOfArtisticStyle2006687580562022-05-10T15:48:45Z{{Class |labels= -{{label|en|period of artistic style}} -{{label|nl|stijlperiode}} -{{label|de|Kunst Zeitstil}} + {{label|en|period of artistic style}} + {{label|nl|stijlperiode}} + {{label|fr|période de style artistique}} + {{label|de|Kunst Zeitstil}} +{{label|ur|فنکارانہ انداز کی مدت}} | rdfs:subClassOf = TimePeriod | owl:disjointWith = Person -}}OntologyClass:PeriodicalLiterature2003737462962015-03-18T17:25:33Z{{Class +}}OntologyClass:PeriodicalLiterature2003737574532022-04-24T08:49:57Z{{Class | labels = {{label|en|periodical literature}} {{label|de|Periodikum}} {{label|el|περιοδικός τύπος}} {{label|fr|publication périodique}} + + +{{label |ur| متواتر ادب}} | comments = {{comment|en|Periodical 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.}} {{comment|el|Περιοδικός Τύπος (ή αλλιώς περιοδικό ή εφημερίδα) είναι η δημοσίευση άρθρου ή νέων ανά τακτά διαστήματα. Το πιο γνωστό παράδειγμα είναι οι εφημερίδες, που δημοσιεύονται σε καθημερινή ή εβδομαδιαία βάση και το περιοδικό, που τυπικά εκδίδεται σε εβδομαδιαία, μηνιαία ή δίμηνη βάση. Άλλα παραδείγματα μπορεί να είναι τα νέα ενός οργανισμού ή εταιρείας, ένα λογοτεχνικό ή εκπαιδευτικό περιοδικό ή ένα ετήσιο λεύκωμα.}} {{comment|de|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.}} + + +{{comment|ur| ایک شائع شدہ کام ہے جو ایک باقاعدہ ترتیب کار پر ایک نئے اشاعت میں نمودار ہوتا ہے۔ سب سے واقف مثال اخبار ہیں ، جو اکثر روزانہ یا ہفتہ وار شائع ہوتے ہیں۔ یا رسالہ عام طور پر ہفتہ وار ، ماہانہ یا سہ ماہی کے طور پر شائع ہوتا ہے۔ دوسری مثالوں میں ایک نیوز لیٹر ، ایک ادبی جریدہ یا سیکھا ہوا جریدہ ، یا ایک سالانہ کتاب ہوگی۔ + +}} + {{comment|fr|Une publication périodique est un titre de presse qui paraît régulièrement.}} | rdfs:subClassOf = WrittenWork | owl:equivalentClass = wikidata:Q1092563 -}}OntologyClass:Person200429520892017-06-19T10:40:31Z{{Class +}}OntologyClass:Person200429560792021-10-02T16:33:47Z{{Class | labels = {{label|el|Πληροφορίες προσώπου}} {{label|en|person}} {{label|eu|pertsona}} {{label|da|person}} + {{label|ur|شخص}} {{label|de|Person}} {{label|sl|Oseba}} {{label|it|persona}} @@ -6132,30 +7212,46 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|pl|osoba}} {{label|hy|անձ}} {{label|ar|شخص}} -| rdfs:subClassOf = Agent +| rdfs:subClassOf = Animal | owl:equivalentClass = foaf:Person, schema:Person, wikidata:Q215627, wikidata:Q5, dul:NaturalPerson | specificProperties = {{SpecificProperty | ontologyProperty = weight | unit = kilogram }} {{SpecificProperty | ontologyProperty = height | unit = centimetre }} -}}OntologyClass:PersonFunction200430469192015-03-22T15:31:07Z{{Class +}}OntologyClass:PersonFunction200430580582022-05-10T15:51:42Z{{Class | labels = {{label|en|person function}} {{label|de|Funktion einer Person}} {{label|nl|functie van persoon}} {{label|es|función de persona}} {{label|fr|fonction de personne}} +{{label|ur|شخص کی تقریب}} | rdfs:subClassOf = owl:Thing -}}OntologyClass:PersonalEvent2008259468632015-03-22T10:57:50Z{{Class +}}OntologyClass:PersonalEvent2008259581852022-05-13T02:58:41Z{{Class | labels = {{label|en|personal event}} {{label|fr|évènement dans la vie privée}} {{label|de|Ereignis im persönlichen Leben}} {{label|el|προσωπικό συμβάν}} {{label|nl|levensloopgebeurtenis}} -| comments = +{{label|ur|ذاتی تقریب}} + +|comments = {{comment|en|an event that occurs in someone's personal life}} +{{comment|ur|ایک واقعہ جو کسی کی ذاتی زندگی میں پیش آتا ہے۔}} {{comment|el|ένα συμβάν που αφορά την προσωπική ζωή κάποιου}} + | rdfs:subClassOf = LifeCycleEvent -}}OntologyClass:Philosopher200431468152015-03-21T21:48:13Z{{Class +}}OntologyClass:Pharaoh20013575580652022-05-11T04:09:43Z{{Class +| labels = + {{label|en|Pharaoh}} + {{label|eu|Faraoia}} + {{label|da|Farao}} + {{label|fr|pharaon}} + {{label|hi|फिरौन}} + {{label|ar|فراعنہ}} +|comments= +{{comment|ur| قدیم بادشاہوں کا ایک لقب}} +| rdfs:subClassOf = Royalty +}}OntologyClass:Philosopher200431580662022-05-11T04:11:08Z{{Class | labels = {{label|en|philosopher}} {{label|de|Philosoph}} @@ -6164,17 +7260,22 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ko|철학자}} {{label|ja|哲学者}} {{label|nl|filosoof}} +{{label|ur|فلسفی}} | rdfs:subClassOf = Person | owl:equivalentClass = wikidata:Q4964182 -}}OntologyClass:PhilosophicalConcept2009718457782015-03-14T09:41:41Z{{Class +}}OntologyClass:PhilosophicalConcept2009718580682022-05-11T04:14:49Z{{Class | labels = -{{label|en|Philosophical concept}} -{{label|de|philosophisch Konzept}} -{{label|nl|Filosofisch thema}} + {{label|en|Philosophical concept}} + {{label|de|philosophisch Konzept}} + {{label|fr|concept philosophique}} + {{label|nl|Filosofisch thema}} +{{label|ur|فلسفیانہ تصور}} | comments = -{{comment|en|Philosophical concepts, e.g. Existentialism, Cogito Ergo Sum}} + {{comment|en|Philosophical concepts, e.g. Existentialism, Cogito Ergo Sum}} +{{comment|ur|فلسفیانہ تصورات، جیسے وجودیت، ٹریوس سم}} + {{comment|fr|Concepts philosophiques tels que l'Existentialisme, Cogito Ergo Sum}} | rdfs:subClassOf = TopicalConcept -}}OntologyClass:Photographer2008335509082016-04-19T11:55:13Z{{Class +}}OntologyClass:Photographer2008335581832022-05-13T02:55:11Z{{Class | labels = {{label|en|photographer}} {{label|nl|fotograaf}} @@ -6183,10 +7284,20 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|el|φωτογράφος}} {{label|it|fotografo}} {{label|ja|写真家}} -| +{{label|ur|عکسی تصویر اتارنے والا}} | rdfs:subClassOf = Artist | owl:equivalentClass = wikidata:Q33231 -}}OntologyClass:Place200432520952017-06-19T10:44:00Z{{Class +}}OntologyClass:Pilot20013563580732022-05-11T04:23:24Z{{Class +| labels = + {{label|en|Pilot}} + {{label|eu|pilotua}} + {{label|da|pilot}} + {{label|fr|pilote}} + {{label|hi|पायलट}} + {{label|ar|طيار}} +{{label|ur|طیارہ اڑانے والا}} +| rdfs:subClassOf = Person +}}OntologyClass:Place200432562792022-02-16T09:54:51Z{{Class | labels = {{label|en|place}} {{label|ca|lloc}} @@ -6202,12 +7313,13 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|立地}} {{label|nl|plaats}} {{label|ar|مكان}} + {{label|ur|جگہ}} | comments = - {{comment|en|Immobile things or locations.}} + {{comment|ur|غیر متحرک چیزیں یا مقامات۔}} {{comment|pt|uma localização}} | owl:equivalentClass = schema:Place, Location | rdfs:subClassOf = owl:Thing -}}OntologyClass:Planet200433468432015-03-22T09:16:52Z{{Class +}}OntologyClass:Planet200433580752022-05-11T04:25:41Z{{Class | labels = {{label|ca|planeta}} {{label|de|Planet}} @@ -6220,6 +7332,7 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|pl|planeta}} {{label|pt|Planeta}} {{label|ja|惑星}} +{{label|ur|سیارہ}} {{label|nl|planeet}} | rdfs:subClassOf = CelestialBody | specificProperties = {{SpecificProperty | ontologyProperty = temperature | unit = kelvin }} @@ -6236,7 +7349,7 @@ A hormone is any member of a class of signaling molecules produced by glands in {{SpecificProperty | ontologyProperty = periapsis | unit = kilometre }} {{SpecificProperty | ontologyProperty = meanRadius | unit = kilometre }} | owl:equivalentClass = wikidata:Q634 -}}OntologyClass:Plant200434481282015-05-25T15:13:56Z{{Class +}}OntologyClass:Plant200434550992021-09-10T06:26:11Z{{Class | labels = {{label|en|plant}} {{label|ga|planda}} @@ -6246,10 +7359,11 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|fr|plante}} {{label|ja|植物}} {{label|nl|plant}} +{{label|ur|پودا}} | rdfs:subClassOf = Eukaryote | owl:equivalentClass = wikidata:Q756 -}}OntologyClass:Play2003774481292015-05-25T15:14:13Z{{Class +}}OntologyClass:Play2003774580772022-05-11T04:30:54Z{{Class |labels= {{label|en|play}} {{label|ga|dráma}} @@ -6259,29 +7373,36 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl|toneelstuk}} {{label|fr|pièce de théâtre}} {{label|es|obra de teatro}} +{{label|ur|تماشہ}} | rdfs:subClassOf = WrittenWork |comments= {{comment|en|A 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.}} {{comment|el|Ένα παιχνίδι είναι μια μορφή της λογοτεχνίας, γραμμένο από έναν συγγραφέα, που συνήθως αποτελείται από σενάριο του διαλόγου μεταξύ των χαρακτήρων, που προορίζεται για την θεατρική παράσταση και όχι μόνο ανάγνωση.}} +{{comment|ur|ڈرامہ ادب کی ایک شکل ہے جسے ڈرامہ نگار نے لکھا ہے، عام طور پر کرداروں کے درمیان تحریری مکالمے پر مشتمل ہوتا ہے، جس کا مقصد صرف پڑھنے کے بجائے تھیٹر کی کارکردگی کے لیے ہوتا ہے۔}} | owl:equivalentClass = wikidata:Q25379 -}}OntologyClass:PlayWright2009437482972015-05-25T15:30:37Z{{Class +}}OntologyClass:PlayWright2009437580792022-05-11T04:32:47Z{{Class | labels = {{label|en|Playwright}} {{label|ga|drámadóir}} {{label|de|Dramatiker}} {{label|fr|Dramaturge}} {{label|nl|toneelschrijver}} +{{label|ur|ڈرامہ نگار}} | comments = {{comment|en|A person who writes dramatic literature or drama.}} +{{comment|ur|وہ شخص جو ڈرامائی ادب یا ڈرامہ لکھتا ہے۔}} | rdfs:subClassOf = Writer | owl:equivalentClass = wikidata:Q214917 -}}OntologyClass:PlayboyPlaymate200435457802015-03-14T09:45:30Z{{Class +}}OntologyClass:PlayboyPlaymate200435580842022-05-11T04:59:44Z{{Class | labels = {{label|en|Playboy Playmate}} {{label|de|Playboy Playmate}} {{label|el|playboy playmate}} {{label|fr | playmate pour Playboy}} +{{label|ur|پلے بوائے پلے میٹ}} +|comments= +{{comment|ur| پلے میٹ ایک خاتون ماڈل ہے جسے پلے بوائے میگزین کے سینٹر فولڈ/گیٹ فولڈ میں پلے میٹ آف دی منتھ کے طور پر دکھایا گیا ہے}} | rdfs:subClassOf = Person -}}OntologyClass:Poem2008708508902016-04-19T11:32:30Z{{Class +}}OntologyClass:Poem2008708580852022-05-11T05:01:04Z{{Class | labels = {{label|en|poem}} {{label|ga|dán}} @@ -6291,10 +7412,11 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|it|poesia}} {{label|nl|gedicht}} {{label|ja|詩}} +{{label|ur|نظم}} | rdfs:subClassOf = WrittenWork | owl:equivalentClass = wikidata:Q5185279 -}}OntologyClass:Poet2008256508892016-04-19T11:32:00Z{{Class +}}OntologyClass:Poet2008256580872022-05-11T05:02:34Z{{Class | labels = {{label|en|poet}} {{label|ga|file}} @@ -6303,10 +7425,11 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|el|ποιητής}} {{label|nl|dichter}} {{label|ja|詩人}} +{{label|ur|شاعر}} | rdfs:subClassOf = Writer | owl:equivalentClass = wikidata:Q49757 -}}OntologyClass:PokerPlayer200436479752015-05-25T14:58:11Z{{Class +}}OntologyClass:PokerPlayer200436580892022-05-11T05:04:33Z{{Class | labels = {{label|en|poker player}} {{label|ga|imreoir pócair}} @@ -6314,21 +7437,39 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|de|Pokerspieler}} {{label|fr|joueur de poker}} {{label|nl|pokerspeler}} +{{label|ur|پوکر کھلاڑی}} | rdfs:subClassOf = Athlete -}}OntologyClass:PoliticalConcept2009716518702017-01-21T14:19:37Z{{Class -| labels = {{label|en|Political concept}} -{{label|de|politische Konzept}} -{{label|nl|politiek concept}} -| comments = {{comment|en|Political concepts, e.g. Capitalism, Democracy}} +}}OntologyClass:PoliceOfficer20013581580912022-05-11T05:05:57Z{{Class +| labels = + {{label|en|Police Officer}} + {{label|eu|Polizia ofiziala}} + {{label|da|Politimand}} + {{label|fr|Officier de police}} + {{label|hi|पुलिस अधिकारी}} + {{label|ar|ضابط شرطة}} +{{label|ur|پولیس افسر}} +| rdfs:subClassOf = Person +}}OntologyClass:PoliticalConcept2009716580932022-05-11T05:07:56Z{{Class +| labels = + {{label|en|Political concept}} + {{label|de|politische Konzept}} + {{label|nl|politiek concept}} + {{label|fr|concept politique}} +{{label|ur|سیاسی تصور}} +| comments = + {{comment|en|Political concepts, e.g. Capitalism, Democracy}} + {{comment|fr|Concept politiques tels que le capitalisme, la démocratie...}} +{{comment|ur|سیاسی تصورات، جیسے سرمایہ داری، جمہوریت}} | rdfs:subClassOf = TopicalConcept -}}OntologyClass:PoliticalFunction2007906511272016-05-29T18:18:39Z{{Class +}}OntologyClass:PoliticalFunction2007906580952022-05-11T05:09:39Z{{Class | labels = {{label|en|political function}} {{label|de|politische Funktion}} {{label|fr|fonction politique}} {{label|nl|politieke functie}} +{{label|ur|سیاسی تقریب}} | rdfs:subClassOf = PersonFunction -}}OntologyClass:PoliticalParty2002409463022015-03-18T17:29:27Z{{Class +}}OntologyClass:PoliticalParty2002409580972022-05-11T05:11:18Z{{Class |labels= {{label|en|political party}} {{label|ca|partit polític}} @@ -6339,12 +7480,13 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl|politieke partij}} {{label|pl|partia polityczna}} {{label|pt|partido político}} +{{label|ur|سیاسی جماعت}} | rdfs:subClassOf = Organisation |comments= {{comment|en|for example: Democratic_Party_(United_States)}} {{comment|el|για παράδειγμα: Δημοκρατικό Κόμμα _United_States)}} | owl:equivalentClass = wikidata:Q7278 -}}OntologyClass:Politician200437484602015-07-09T05:41:34Z{{Class +}}OntologyClass:Politician200437552912021-09-11T11:25:16Z{{Class | labels = {{label|en|politician}} {{label|ga|polaiteoir}} @@ -6353,20 +7495,22 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|de|Politiker}} {{label|fr|politicien}} {{label|pt|político}} +{{label|ur|سیاستدان}} {{label|sl|politik}} {{label|ja|政治家}} {{label|ko|정치인}} | rdfs:subClassOf = Person | owl:equivalentClass = wikidata:Q82955 -}}OntologyClass:PoliticianSpouse2007867518732017-01-21T14:25:50Z{{Class +}}OntologyClass:PoliticianSpouse2007867580992022-05-11T05:14:08Z{{Class | labels = {{label|en|politician spouse}} {{label|de|Ehepartner eines Politiker}} {{label|nl|partner van een politicus}} {{label|el|σύζυγος πολιτικού}} +{{label|ur|سیاستدان میاں بیوی}} | rdfs:subClassOf = Person -}}OntologyClass:PoloLeague2002279479322015-05-25T14:51:29Z{{Class +}}OntologyClass:PoloLeague2002279586032022-05-15T07:44:42Z{{Class | labels = {{label|en|polo league}} {{label|ga|sraith póló}} @@ -6374,18 +7518,22 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|el|Ομοσπονδία Υδατοσφαίρισης}} {{label|fr|ligue de polo}} {{label|nl|polo competitie}} +{{label|ur|پولو انجمن}} | comments = {{comment|en|A group of sports teams that compete against each other in Polo.}} +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروہ جو پولو میں ایک دوسرے سے مقابلہ کرتا ہے۔}} | rdfs:subClassOf = SportsLeague -}}OntologyClass:Polysaccharide20010411457832015-03-14T10:17:31Z{{Class +}}OntologyClass:Polysaccharide20010411581042022-05-11T18:20:07Z{{Class | labels = {{label|en|polysaccharide}} {{label|de|Polysaccharide}} {{label|nl|polysacharide}} +{{label|ur|کثِیر شَکری}} | comments = {{comment|nl|Zijn koolhydraten die zijn opgebouwd uit tien of meer monosacharide-eenheden}} +{{comment|ur|یہ کاربوہائیڈریٹس ہیں جو دس یا اس سے زیادہ سادَہ شَکَّر یونٹوں سے بنی ہیں۔}} | rdfs:subClassOf = Biomolecule -}}OntologyClass:Pope200438481322015-05-25T15:14:26Z{{Class +}}OntologyClass:Pope200438581092022-05-11T18:27:20Z{{Class | labels = {{label|de|Papst}} {{label|en|pope}} @@ -6396,20 +7544,24 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|pl|papież}} {{label|ja|教皇}} {{label|nl|paus}} +{{label|ur|رومن کیتہولک پادری}} | rdfs:subClassOf = Cleric | owl:equivalentClass = wikidata:Q19546 -}}OntologyClass:PopulatedPlace200439521092017-06-19T11:00:38Z{{Class -| labels = -{{label|en|populated place}} -{{label|da|befolket sted}} -{{label|de|bewohnter Ort}} -{{label|el|πυκνοκατοικημένη περιοχή}} -{{label|fr|lieu habité}} -{{label|nl|bebouwde omgeving}} -{{label|ar|تجمع سكاني}} -| comments = -{{comment|en|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).}} -{{comment|el|Πυκνοκατοικημένη περιοχή, είναι η περιοχή ή το μέρος με μεγάλο αριθμό κτιρίων και μεγάλο μόνιμο πληθυσμό, σε σύγκριση με την γεωγραφική περιοχή που καταλαμβάνει (μεγαλούπολη, πόλη ή χωριό). }} +}}OntologyClass:PopulatedPlace200439574662022-04-24T09:23:30Z{{Class +| labels = + {{label|en|populated place}} + {{label|da|befolket sted}} + {{label|de|bewohnter Ort}} + {{label|el|πυκνοκατοικημένη περιοχή}} + {{label|fr|lieu habité}} + {{label|nl|bebouwde omgeving}} + {{label|ar|تجمع سكاني}} + {{label|ur|آبادی والی جگہ}} +| comments = + {{comment|en|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).}} + {{comment|fr|Selon la définition du United States Geological Survey, un lieu peuplé est un lieu ou une zone avec des bâtiments regroupés ou dispersés et une population humaine permanente (agglomération, colonie, ville ou village) référencée par des coordonnées géographiques (http://en.wikipedia. org/wiki/Populated_place).}} + {{comment|ur| جیسا کہ امریکہ نے بیان کیا ہے۔ ارضیاتی سروے ، ایک آبادی والی جگہ وہ جگہ یا علاقہ ہے جہاں گروہ یا بکھرے ہوئے عمارتیں اور مستقل انسانی آبادی (شہر ، بستی ، قصبہ یا گاؤں) ہو۔ }} + {{comment|el|Πυκνοκατοικημένη περιοχή, είναι η περιοχή ή το μέρος με μεγάλο αριθμό κτιρίων και μεγάλο μόνιμο πληθυσμό, σε σύγκριση με την γεωγραφική περιοχή που καταλαμβάνει (μεγαλούπολη, πόλη ή χωριό). }} | rdfs:subClassOf = Place | specificProperties = {{SpecificProperty | ontologyProperty = populationDensity | unit = inhabitantsPerSquareKilometre }} @@ -6419,7 +7571,7 @@ A hormone is any member of a class of signaling molecules produced by glands in {{SpecificProperty | ontologyProperty = areaTotal | unit = squareKilometre }} {{SpecificProperty | ontologyProperty = areaMetro | unit = squareKilometre }} {{SpecificProperty | ontologyProperty = areaUrban | unit = squareKilometre }} -}}OntologyClass:Population2007909510862016-05-14T15:21:44Z{{Class +}}OntologyClass:Population2007909581062022-05-11T18:21:40Z{{Class | labels = {{label|en|population}} {{label|ga|daonra}} @@ -6428,21 +7580,24 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|el|πληθυσμός}} {{label|nl|bevolking}} {{label|ja|人口}} +{{label|ur|آبادی}} | rdfs:subClassOf = owl:Thing | owl:equivalentClass = wikidata:Q33829 -}}OntologyClass:Port2009442508922016-04-19T11:33:49Z{{Class +}}OntologyClass:Port2009442581112022-05-11T18:29:20Z{{Class | labels = {{label|en|Port}} {{label|ga|caladh}} {{label|fr|Port}} {{label|de|Hafen}} {{label|nl|haven}} {{label|ja|港湾}} +{{label|ur|بندرگاہ}} | comments = {{comment|en|a location on a coast or shore containing one or more harbors where ships can dock and transfer people or cargo to or from land.}} +{{comment|ur|ساحل یا ساحل پر ایک مقام جس میں ایک یا زیادہ بندرگاہیں ہوں جہاں بحری جہاز لوگوں یا سامان کو زمین پر یا اس سے منتقل کر سکتے ہیں}} | rdfs:subClassOf = Infrastructure | owl:equivalentClass = wikidata:Q44782 -}}OntologyClass:PowerStation2002741482062015-05-25T15:21:51Z{{Class +}}OntologyClass:PowerStation2002741563132022-02-16T12:31:40Z{{Class | labels = {{label|en|power station}} {{label|ga|stáisiún cumhachta}} @@ -6452,9 +7607,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|el|σταθμός παραγωγής ενέργειας}} {{label|es|central eléctrica}} {{label|nl|Elektriciteitscentrale}} + {{label|ur|بجلی گھر}} | rdfs:subClassOf = Infrastructure | owl:equivalentClass = wikidata:Q159719 -}}OntologyClass:Prefecture2007129508932016-04-19T11:34:34Z{{Class +}}OntologyClass:Prefecture2007129581132022-05-11T18:38:02Z{{Class | labels = {{label|en|prefecture}} {{label|nl|prefectuur}} @@ -6462,20 +7618,23 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|de|Präfektur}} {{label|el|νομαρχία}} {{label|ja|県}} +{{label|ur|دائرہ اختيارات}} | rdfs:subClassOf = GovernmentalAdministrativeRegion | owl:equivalentClass = wikidata:Q515716 -}}OntologyClass:PrehistoricalPeriod2006686483022015-05-25T15:31:06Z{{Class +}}OntologyClass:PrehistoricalPeriod2006686581192022-05-11T18:47:40Z{{Class |labels= {{label|en|prehistorical period}} +{{label|fr|ère préhistorique}} {{label|ga|tréimhse réamhstaire}} {{label|de|prähistorisch Zeitalter}} {{label|el|προϊστορική περίοδο}} {{label|nl|periode in de prehistorie}} +{{label|ur|تاریخ سے پہلے کے زمانے کا دور}} | rdfs:subClassOf = TimePeriod | owl:disjointWith = Person | owl:disjointWith = HistoricalPeriod -}}OntologyClass:Presenter2006207504052016-03-04T06:27:21Z{{Class +}}OntologyClass:Presenter2006207581172022-05-11T18:44:24Z{{Class | labels = {{label|en|presenter}} {{label|ga|láithreoir}} @@ -6484,10 +7643,12 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl|presentator}} {{label|fr|présentateur}} {{label|ja|司会者}} +{{label|ur|پیش کنندہ}} | comments = {{comment|en|TV or radio show presenter}} +{{comment|ur|ٹی وی یا ریڈیو شو پیش کرنے والا}} | rdfs:subClassOf = Person | owl:equivalentClass = wikidata:Q13590141 -}}OntologyClass:President200440481342015-05-25T15:14:36Z{{Class +}}OntologyClass:President200440581152022-05-11T18:39:49Z{{Class | labels = {{label|en|president}} {{label|ga|uachtarán}} @@ -6498,9 +7659,20 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl|president}} {{label|pl|prezydent}} {{label|ja|大統領}} +{{label|ur|صدر}} | rdfs:subClassOf = Politician | owl:equivalentClass = wikidata:Q30461 -}}OntologyClass:Priest2002665483042015-05-25T15:31:11Z{{Class +}}OntologyClass:Pretender20013569581212022-05-11T18:50:30Z{{Class +| labels = + {{label|en|Pretender}} + {{label|eu|itxurakeria}} + {{label|da|pretender}} + {{label|fr|prétendante}} + {{label|hi|दावेदार}} + {{label|ar|الزاعم}} +{{label|ur|دکھاوا کرنے والا}} +| rdfs:subClassOf = Royalty +}}OntologyClass:Priest2002665581812022-05-13T02:53:30Z{{Class | labels = {{label|en|priest}} {{label|ga|sagart}} @@ -6510,9 +7682,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|fr|prêtre}} {{label|ja|司祭}} {{label|nl|priester}} +{{label|ur|پجاری}} | rdfs:subClassOf = Cleric | owl:equivalentClass = wikidata:Q42603 -}}OntologyClass:PrimeMinister200441481352015-05-25T15:14:42Z{{Class +}}OntologyClass:PrimeMinister200441581882022-05-13T03:13:33Z{{Class | labels = {{label|en|prime minister}} {{label|ga|príomh-aire}} @@ -6520,9 +7693,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|el|πρωθυπουργός}} {{label|fr|premier ministre}} {{label|nl|eerste minister}} +{{label|ur|وزیراعظم}} {{label|ko|총리}} | rdfs:subClassOf = Politician -}}OntologyClass:Prison2006358508942016-04-19T11:35:17Z{{Class +}}OntologyClass:Prison2006358581902022-05-13T03:16:04Z{{Class | labels = {{label|it|prigione}} {{label|en|prison}} @@ -6532,10 +7706,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|el|φυλακή}} {{label|nl|gevangenis}} {{label|ja|刑務所}} - +{{label|ur|جیل}} | rdfs:subClassOf = Building | owl:equivalentClass = wikidata:Q40357 -}}OntologyClass:Producer2009433528382018-02-08T20:26:36Z{{Class +}}OntologyClass:Producer2009433581922022-05-13T03:19:52Z{{Class | labels = {{label|en|Producer}} {{label|da|producent}} @@ -6543,11 +7717,13 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|fr|Producteur}} {{label|nl|producent}} {{label|ja|監督}} +{{label|ur|مبدہ}} | comments = {{comment|en|a person who manages movies or music recordings.}} +{{comment|ur|وہ شخص جو فلموں یا میوزک کی ریکارڈنگ کا انتظام کرتا ہے۔}} | rdfs:subClassOf = Person | owl:equivalentClass = schema:Producer, wikidata:Q3282637 -}}OntologyClass:Profession2008252508982016-04-19T11:39:24Z{{Class +}}OntologyClass:Profession2008252581942022-05-13T03:23:03Z{{Class | labels = {{label|en|profession}} {{label|ga|gairm}} @@ -6556,9 +7732,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|el|επάγγελμα}} {{label|fr|métier}} {{label|ja|専門職}} +{{label|ur|پیشہ}} | rdfs:subClassOf = PersonFunction | owl:equivalentClass = wikidata:Q28640 -}}OntologyClass:Professor2006798509222016-04-22T07:26:59ZOntologyClass:Professor +}}OntologyClass:Professor2006798582082022-05-13T03:49:56ZOntologyClass:Professor {{Class |labels = {{label|en|professor}} @@ -6569,10 +7746,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl|professor}} {{label|pl|profesor}} {{label|ja|教授}} - +{{label|ur|معلم}} | rdfs:subClassOf = Scientist | owl:equivalentProperty = wikidata:Q1622272 -}}OntologyClass:ProgrammingLanguage2002920537292020-09-18T07:12:55Z{{Class +}}OntologyClass:ProgrammingLanguage2002920582042022-05-13T03:41:06Z{{Class | labels = {{label|fr|langage de programmation}} {{label|en|programming language}} @@ -6584,9 +7761,12 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|pt|linguagem de programação}} {{label|nl|programmeertaal}} {{label|ko|프로그래밍 언어}} +{{label|ur|پروگرامنگ زبان}} +|comments= +{{comment|ur|ایسی زبانیں جو کمپیوٹر کو ہدایات دینے میں معاون ہیں}} | rdfs:subClassOf = Language | owl:equivalentClass = wikidata:Q9143 -}}OntologyClass:Project2003036528502018-02-08T20:38:57Z{{Class +}}OntologyClass:Project2003036581962022-05-13T03:25:58Z{{Class | labels = {{label|en|project}} {{label|ga|tionscadal}} @@ -6596,12 +7776,15 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|es|proyecto}} {{label|ja|プロジェクト}} {{label|nl|project}} +{{label|ur|منصوبہ}} + | comments = {{comment|en|A project is a temporary endeavor undertaken to achieve defined objectives.}} {{comment|de|Ein Projekt ist ein zeitlich begrenztes Unternehmen, das unternommen wird, um definierte Ziele zu erreichen.}} +{{comment|ur|ایک پروجیکٹ ایک عارضی کوشش ہے جو متعین مقاصد کے حصول کے لیے کی جاتی ہے۔}} | rdfs:subClassOf = UnitOfWork | owl:equivalentClass = -}}OntologyClass:ProtectedArea200442470442015-03-23T09:50:36Z{{Class +}}OntologyClass:ProtectedArea200442582102022-05-13T03:52:35Z{{Class | labels = {{label|en|protected area}} {{label|de|Schutzgebiet}} @@ -6609,12 +7792,14 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|el|προστατευμένη περιοχή}} {{label|fr|aire protégée}} {{label|ja|保護地区}} +{{label|ur|محفوظ علاقہ}} | comments = {{comment|en|This class should be used for protected nature. For enclosed neighbourhoods there is now class GatedCommunity}} {{comment|nl|Deze klasse duidt gebieden aan met de status 'beschermd'. Is dus eigenlijk ook geen klasse, maar zou een attribuut moeten zijn}} +{{comment|ur|یہ طبقہ 'محفوظ' حیثیت والے علاقوں کو ظاہر کرتا ہے}} | rdfs:subClassOf = Place | owl:equivalentClass = wikidata:Q473972 -}}OntologyClass:Protein200443481382015-05-25T15:15:08Z{{Class +}}OntologyClass:Protein200443582062022-05-13T03:46:12Z{{Class | labels = {{label|en|protein}} {{label|ga|próitéin}} @@ -6626,69 +7811,100 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ko|단백질}} {{label|ja|タンパク質}} {{label|nl|proteïne}} +{{label|ur|لحمیات}} | rdfs:subClassOf = Biomolecule | owl:equivalentClass = wikidata:Q8054 -}}OntologyClass:Protocol20012191535992020-02-24T07:20:20Z{{Class +}}OntologyClass:Protocol20012191581982022-05-13T03:33:45Z{{Class | labels = {{label|en|Protocol}} {{label|de|Protokoll}} +{{label|fr|Protocole}} {{label|ru|Протокол}} +{{label|ur|رابطے کا ضابطہ }} | rdfs:subClassOf = owl:Thing -}}OntologyClass:ProtohistoricalPeriod2006689457872015-03-14T10:27:50Z{{Class +}}OntologyClass:ProtohistoricalPeriod2006689582122022-05-13T03:59:55Z{{Class |labels= {{label|en|protohistorical period}} {{label|de|proto-historisch Zeitalter}} -{{label|nl|periode in de protohistorie}} +{{label|nl|periode in de protohistorie}} +{{label|ur|قدیم تاریخی زمانہ}} +|comments= +{{comment|ur|انسانوں کےمطالعہ تحریر کی ایجاد سے پہلےکی مدت}} | rdfs:subClassOf = TimePeriod | owl:disjointWith = Person -}}OntologyClass:Province2006560508992016-04-19T11:40:58Z{{Class +}}OntologyClass:Prov:Entity20014275591052022-12-01T13:21:18Z{{Class | labels = -{{label|en|province}} -{{label|ga|cúige}} -{{label|de|Provinz}} -{{label|fr|province}} -{{label|el|επαρχία}} -{{label|nl|provincie}} -{{label|ja|英語圏の行政区画}} - -| comments = -{{comment|en|An administrative body governing a territorial unity on the intermediate level, between local and national level}} -{{comment|el|Είναι διοικητική δομή του κράτους που διοικεί μια περιοχή που είναι σε έκταση μεγαλύτερη από τοπικό επίπεδο και μικρότερη από εθνικό επίπεδο.}} +{{label|en|Entity}} +{{label|fr|Entity}} +| comments = +{{comment|fr|http://www.w3.org/ns/prov#Entity}} +{{comment|en|http://www.w3.org/ns/prov#Entity}} +| rdfs:subClassOf = owl:Thing +}}OntologyClass:Prov:Revision20014272591102022-12-01T13:59:19Z{{Class +| labels = +{{label|en|Revision}} +{{label|fr|Révision}} +| comments = +{{comment|fr|http://www.w3.org/ns/prov#Revision}} +{{comment|en|http://www.w3.org/ns/prov#Revision}} +}}OntologyClass:Province2006560571182022-03-12T21:17:18Z{{Class +| labels = + {{label|en|province}} + {{label|ga|cúige}} + {{label|de|Provinz}} + {{label|fr|province}} + {{label|el|επαρχία}} + {{label|nl|provincie}} + {{label|ja|英語圏の行政区画}} + {{label|ur|صوبہ}} +| comments = + {{comment|en|An administrative body governing a territorial unity on the intermediate level, between local and national level}} + {{comment|fr|Entité administrative en charge d'une unité territoriale se situant entre le niveau local et national; ex: Province Nord (Nouvelle-Calédonie)}} + {{comment|el|Είναι διοικητική δομή του κράτους που διοικεί μια περιοχή που είναι σε έκταση μεγαλύτερη από τοπικό επίπεδο και μικρότερη από εθνικό επίπεδο.}} + {{comment|ur|ایک انتظامی ادارہ جو مقامی اور قومی سطح کے درمیان انٹرمیڈیٹ سطح پر علاقائی وحدت کا انتظام کرتا ہے۔}} | rdfs:subClassOf = GovernmentalAdministrativeRegion | owl:equivalentClass = -}}OntologyClass:Psychologist2007825483072015-05-25T15:31:28Z{{Class -| labels = -{{label|en|psychologist}} -{{label|ga|síceolaí}} -{{label|nl|psycholoog}} -{{label|de|Psychologe}} -{{label|el|ψυχολόγος}} +}}OntologyClass:Psychologist2007825582002022-05-13T03:35:21Z{{Class +| labels = + {{label|en|psychologist}} + {{label|fr|psychologue}} + {{label|ga|síceolaí}} + {{label|nl|psycholoog}} + {{label|de|Psychologe}} + {{label|el|ψυχολόγος}} +{{label|ur|ماہر نفسیات}} | rdfs:subClassOf = Person | owl:equivalentClass = wikidata:Q212980 -}}OntologyClass:PublicService2006750515232016-09-18T16:28:35Z{{Class +}}OntologyClass:PublicService2006750582142022-05-13T04:05:40Z{{Class | labels = {{label|en|public service}} {{label|nl|staatsapparaat}} {{label|de|öffentlicher Dienst}} {{label|el|δημόσιες υπηρεσίες}} {{label|fr|service public}} +{{label|ur|خدمات عامہ}} | comments = {{comment|el|Είναι οι υπηρεσίες που προσφέρονται από δομές του κράτους}} +{{comment|ur|یہ ریاستی ڈھانچے کی طرف سے عوام کے لیے فراہم کردہ خدمات ہیں۔}} | rdfs:subClassOf = owl:Thing | owl:equivalentClass = wikidata:Q161837 -}}OntologyClass:PublicTransitSystem2003621522502017-10-08T09:21:26Z{{Class +}}OntologyClass:PublicTransitSystem2003621568882022-03-02T17:51:55Z{{Class | labels = {{label|en|public transit system}} +{{label|fr|Système de transport public}} {{label|de|Öffentliches Personenverkehrssystem}} {{label|es|Sistema de Transporte Público}} {{label|el|μέσα μαζικής μεταφοράς}} {{label|nl|openbaar vervoer systeem}} +{{label|ur|عوامی راہداری کا نظام}} | comments = -{{comment|en|A 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).}} -{{comment|el|Τα μέσα μαζικής μεταφοράς (συντομογραφία ΜΜΜ) είναι τα δημόσια συγκοινωνιακά μέσα, που περιλαμβάνουν τα λεωφορεία, τα τρόλεϊ, τα τραμ, τα τρένα, το μετρό, τα πλοία. Υπάρχουν και τα ταχεία μέσα συγκοινωνίας που περιλαμβάνουν τα αεροπλάνα, υπερταχεία τρένα.}} -{{comment|de|Ein System des Öffentlichen Personenverkehrs auf Straße, Schiene oder Wasser.}} + {{comment|en|A 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).}} + {{comment|fr|Un système de transport en commun est un service de transport partagé de passagers mis à la disposition du grand public. Les modes de transport public comprennent les bus, les trolleybus, les tramways et les trains, le « transport en commun rapide » (métro, TGV, etc.) et les ferries. Les transports publics interurbains sont dominés par les compagnies aériennes, les autocars et le rail intercité. (http://en.wikipedia.org/wiki/Public_transit).}} + {{comment|el|Τα μέσα μαζικής μεταφοράς (συντομογραφία ΜΜΜ) είναι τα δημόσια συγκοινωνιακά μέσα, που περιλαμβάνουν τα λεωφορεία, τα τρόλεϊ, τα τραμ, τα τρένα, το μετρό, τα πλοία. Υπάρχουν και τα ταχεία μέσα συγκοινωνίας που περιλαμβάνουν τα αεροπλάνα, υπερταχεία τρένα.}} + {{comment|de|Ein System des Öffentlichen Personenverkehrs auf Straße, Schiene oder Wasser.}} + {{comment|ur|عوامی راہداری کا نظام ایک مشترکہ عوامی نقل و حمل کی سروس ہے جو عام لوگوں کے استعمال کے لیے دستیاب ہے۔عوامی نقل و حمل کے طریقوں میں بسیں ، ٹرالی بسیں ، ٹرام اور ٹرینیں ، 'تیز رفتارراہداری' (میٹرو/زمین دوز برقی ریل/زیر زمین وغیرہ) اور فیری شامل ہیں۔}} | rdfs:subClassOf = Company -}}OntologyClass:Publisher2006193481392015-05-25T15:15:12Z{{Class +}}OntologyClass:Publisher2006193582022022-05-13T03:38:30Z{{Class | labels = {{label|en|publisher}} {{label|ga|foilsitheoir}} @@ -6699,29 +7915,34 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|出版社}} {{label|nl|uitgever}} {{label|ko|출판사}} +{{label|ur|ناشر}} | comments = {{comment|en|Publishing company}} +{{comment|ur|شائع کرنے والے اشاعتی ادارہ}} | rdfs:subClassOf = Company -}}OntologyClass:Pyramid2009439509002016-04-19T11:41:47Z{{Class +}}OntologyClass:Pyramid2009439582162022-05-13T04:09:36Z{{Class | labels = {{label|en|Pyramid}} {{label|ga|pirimid}} {{label|de|Pyramide}} {{label|fr|Pyramide}} {{label|nl|pyramide}} {{label|ja|ピラミッド}} - +{{label|ur|مخروطی مصری مینار}} | comments = {{comment|en|a structure whose shape is roughly that of a pyramid in the geometric sense.}} +{{comment|ur|ایک ڈھانچہ جس کی شکل ہندسی معنوں میں تقریبا ایک اہرام کی ہے۔}} | rdfs:subClassOf = ArchitecturalStructure | owl:equivalentClass = wikidata:Q12516 -}}OntologyClass:Quote20011222509012016-04-19T11:46:40Z{{Class -| labels = -{{label|en|Quote}} -{{label|de|Zitat}} -{{label|nl|citaat}} -{{label|ja|引用}} +}}OntologyClass:Quote20011222580312022-05-07T11:26:39Z{{Class +| labels = + {{label|en|Quote}} + {{label|fr|Citation}} + {{label|de|Zitat}} + {{label|nl|citaat}} + {{label|ja|引用}} +{{label|ur|اقتباس}} | rdfs:subClassOf = WrittenWork | owl:equivalentClass = -}}OntologyClass:Race200444492662015-10-18T11:34:36Z{{Class +}}OntologyClass:Race200444559742021-09-18T06:46:32Z{{Class | labels = {{label|de|Rennen}} {{label|en|race}} @@ -6730,6 +7951,7 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|fr|course}} {{label|ja|レース}} {{label|nl|race}} +{{label|ur|دوڑ}} | rdfs:subClassOf = SportsEvent }}OntologyClass:RaceTrack2005951509372016-04-26T03:06:26Z{{Class | labels = @@ -6756,11 +7978,12 @@ A hormone is any member of a class of signaling molecules produced by glands in {{comment|el|Ο ιππόδρομος,εναλλακτικός όρος για την πίστα διεξαγωγής αγώνων μεταξύ ίππων,συναντάται σε χώρες όπως η Αγγλία, Αυστραλία, Χονγκ Κονγκ και τα Ηνωμένα Αραβικά Εμιράτα.}} | rdfs:subClassOf = RaceTrack | owl:equivalentClass = wikidata:Q1777138 -}}OntologyClass:RacingDriver2006107492682015-10-18T11:37:42Z{{Class +}}OntologyClass:RacingDriver2006107552012021-09-10T17:42:27Z{{Class | labels = {{label|en|racing driver}} {{label|de|Rennfahrer}} {{label|el|οδηγός αγώνων}} {{label|nl|coureur}} +{{label|ur|مقابلہ میں کاریں چلانے والے}} | rdfs:subClassOf = MotorsportRacer | owl:equivalentClass = wikidata:Q378622 }}OntologyClass:RadioControlledRacingLeague2002183492692015-10-18T11:39:47Z{{Class @@ -6772,12 +7995,14 @@ A hormone is any member of a class of signaling molecules produced by glands in | comments = {{comment|en|A group of sports teams or person that compete against each other in radio-controlled racing.}} | rdfs:subClassOf = SportsLeague -}}OntologyClass:RadioHost2006208481422015-05-25T15:15:26Z{{Class -| labels = {{label|en|radio host}} -{{label|ga|láithreoir raidió}} -{{label|de|Radiomoderator}} -{{label|el|οικοδεσπότης ραδιοφώνου}} -{{label|nl|radiopresentator}} +}}OntologyClass:RadioHost2006208574162022-04-17T20:15:56Z{{Class +| labels = + {{label|en|radio host}} + {{label|fr|présentateur radio}} + {{label|ga|láithreoir raidió}} + {{label|de|Radiomoderator}} + {{label|el|οικοδεσπότης ραδιοφώνου}} + {{label|nl|radiopresentator}} | rdfs:subClassOf = Presenter | owl:equivalentClass = wikidata:Q2722764 }}OntologyClass:RadioProgram2005847513062016-06-14T06:38:40Z{{Class @@ -6792,9 +8017,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl|radioprogramma}} | rdfs:subClassOf = Work | owl:equivalentClass = wikidata:Q1555508 -}}OntologyClass:RadioStation200445481442015-05-25T15:15:36Z{{Class +}}OntologyClass:RadioStation200445589392022-06-20T17:29:36Z{{Class | labels = {{label|en|radio station}} +{{label|ur|ریڈیو سٹیشن}} {{label|ga|stáisiún raidió}} {{label|de|Radiosender}} {{label|el|ραδιοφωνικός σταθμός}} @@ -6807,17 +8033,19 @@ A hormone is any member of a class of signaling molecules produced by glands in | comments = {{comment|en|A 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.}} {{comment|de|Ein Radiosender hat genau ein Programm, zum Beispiel der Sender NDR Kultur. Nicht zu verwechseln mit der Rundfunkanstalt NDR, welche mehrere Radiosender hat.}} -}}OntologyClass:RailwayLine2003576482382015-05-25T15:24:48Z{{Class +}}OntologyClass:RailwayLine2003576567812022-02-28T21:02:43Z{{Class | labels = {{label|en|railway line}} {{label|el|σιδηρόδρομος}} {{label|de|Eisenbahnlinie}} {{label|nl|spoorlijn}} {{label|ga|líne iarnróid}} +{{label|fr|lígne de chemin de fer}} | rdfs:subClassOf = RouteOfTransportation | comments = -{{comment|el|O σιδηρόδρομος είναι μια υπηρεσία μεταφοράς επιβατών ή εμπορευμάτων με τρένα που παρέχονται από έναν οργανισμό. Δεν πρέπει να συγχέεται με τη σιδηροδρομική γραμμή, τη δομή που αποτελείται από τις ράγες. Στη Βικιπαίδεια δε γίνεται σαφής διαφοροποίηση μεταξύ των δύο, έτσι υπάρχει ένα κουτί πληροφοριών που περιγράφει ράγες και γραμμές}} {{comment|en|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.}} +{{comment|fr|Une ligne de chemin de fer est un service de transport par train qui achemine des passagers ou du fret fourni par une organisation. A ne pas confondre avec le réseau ferré qui est la structure formée par les rails. Wikipedia ne fait pas vraiement la différence entre les deux, il n'y a donc qu'une boîte d'information en même temps pour les lignes et le réseau.}} +{{comment|el|O σιδηρόδρομος είναι μια υπηρεσία μεταφοράς επιβατών ή εμπορευμάτων με τρένα που παρέχονται από έναν οργανισμό. Δεν πρέπει να συγχέεται με τη σιδηροδρομική γραμμή, τη δομή που αποτελείται από τις ράγες. Στη Βικιπαίδεια δε γίνεται σαφής διαφοροποίηση μεταξύ των δύο, έτσι υπάρχει ένα κουτί πληροφοριών που περιγράφει ράγες και γραμμές}} {{comment|de|Eine Eisenbahnlinie im Verkehrswesen ist die regelmäßige Bedienung einer bestimmten Eisenbahnstrecke durch öffentliche Verkehrsmittel.}} | owl:equivalentClass = wikidata:Q728937 }}OntologyClass:RailwayStation2005826481172015-05-25T15:12:54Z{{Class @@ -6852,6 +8080,15 @@ A hormone is any member of a class of signaling molecules produced by glands in | comments = {{comment|el|Ο οδηγός ράλι χρησιμοποιείται για να περιγράψει άνδρα που λαμβάνει μέρος σε αγώνες αυτοκινήτων ειδικής κατηγορίας}} | owl:equivalentClass = wikidata:Q10842936 +}}OntologyClass:Rebbe20013567560612021-10-02T07:15:29Z{{Class +| labels = + {{label|en|Rebbe}} + {{label|eu|errebea}} + {{label|da|rebbe}} + {{label|fr|Rabbi}} + {{label|hi|रेबे}} + {{label|ar|ريبي}} +| rdfs:subClassOf = Religious }}OntologyClass:Rebellion20010196509032016-04-19T11:49:25Z{{Class | labels = {{label|en|rebellion}} @@ -6892,15 +8129,17 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:subClassOf = Person | comments = {{comment|en|An official who watches a game or match closely to ensure that the rules are adhered to.}} -}}OntologyClass:Reference20011278509052016-04-19T11:51:25Z{{Class +}}OntologyClass:Reference20011278567832022-02-28T21:07:28Z{{Class | labels = {{label|en|Reference}} +{{label|fr|Référence}} {{label|el|αναφορά}} {{label|de|Referenz}} {{label|nl|Verwijzing}} {{label|ja|参考文献}} | comments = {{comment|en|Reference to a work (book, movie, website) providing info about the subject}} +{{comment|fr|Référence à un travail (livre, film, site web), fournissant des informations sur le sujet}} {{comment|nl|Verwijzing naar een plaats in een boek of film}} | rdfs:subClassOf = Annotation }}OntologyClass:Regency2006772509062016-04-19T11:52:13Z{{Class @@ -6915,7 +8154,7 @@ A hormone is any member of a class of signaling molecules produced by glands in | comments = {{comment|id|bagian wilayah administratif dibawah provinsi}} | rdfs:subClassOf = GovernmentalAdministrativeRegion -}}OntologyClass:Region2007221509282016-04-22T08:03:37Z{{Class +}}OntologyClass:Region2007221549402021-09-09T08:47:15Z{{Class | labels = {{label|en|region}} {{label|ga|réigiún}} @@ -6924,6 +8163,7 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|de|Region}} {{label|nl|regio}} {{label|ja|地域}} +{{label|ur|علاقہ}} | rdfs:subClassOf = PopulatedPlace | owl:equivalentClass = wikidata:Q3455524 }}OntologyClass:Reign20011941527092017-12-27T14:25:40Z{{Class @@ -6933,24 +8173,28 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|de|Regentschaft}} {{label|fr|règne}} | rdfs:subClassOf = TimePeriod -}}OntologyClass:Relationship20011767518082017-01-06T15:19:44Z{{Class +}}OntologyClass:Relationship20011767566892022-02-28T10:45:27Z{{Class | labels = {{label|en|Relationship}} +{{label|fr|Relation}} {{label|ru|Отношение}} | rdfs:subClassOf = owl:Thing -}}OntologyClass:Religious2006195463282015-03-18T17:42:59Z{{Class +}}OntologyClass:Religious2006195585132022-05-14T19:30:58Z{{Class | labels = {{label|en|religious}} +{{label|ur|مذہبی}} {{label|de|religiös}} {{label|fr|religieux}} {{label|el|θρησκευτικός}} {{label|nl|religieus}} | rdfs:subClassOf = Person | owl:equivalentClass = wikidata:Q2566598 -}}OntologyClass:ReligiousBuilding2005768521242017-06-19T11:13:14Z{{Class +}}OntologyClass:ReligiousBuilding2005768576752022-04-25T11:03:07Z{{Class |labels = {{label|en|religious building}} {{label|el|θρησκευτικό κτίριο}} {{label|da|religiøs bygning}} + {{label|ur|مذہبی عمارت}} + {{label|de|religiöses Gebäude}} {{label|it|edificio religioso}} {{label|ja|宗教建築}} @@ -6960,17 +8204,23 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ko|종교 건물}} | comments = |{{comment|en|An establishment or her location where a group of people (a congregation) comes to perform acts of religious study, honor, or devotion.<ref>http://en.wikipedia.org/wiki/Religious_building</ref>}} +|{{comment|ur|ایک اسٹیبلشمنٹ یا اس کا مقام جہاں لوگوں کا ایک گروپ (ایک جماعت) مذہبی مطالعہ، عزت، یا عقیدت کے اعمال انجام دینے آتا ہے۔}} | rdfs:subClassOf = Building | owl:equivalentClass = wikidata:Q1370598 }} ==References== -<references/>OntologyClass:ReligiousOrganisation20010298457922015-03-14T10:40:01Z{{Class +<references/>OntologyClass:ReligiousOrganisation20010298575312022-04-24T12:13:20Z{{Class | labels = {{label|en|religious organisation}} {{label|de|Religionsorganisation}} {{label|nl|kerkelijke organisatie}} - {{label|es|organización religiosa}} -| rdfs:comment = Formal organisation or organised group of believers + {{label|fr|organisation religieuse}} +{{label|es|organización religiosa}} +{{label|ur|مذہبی تنظیم}} +| comments = + {{comment|en|Formal organisation or organised group of believers}} + {{comment|ur|باضابطہ تنظیم یا مومنین کا منظم گروپ}} + {{comment|fr|Organisation formelle ou groupe organisé de croyants}} | rdfs:subClassOf = Organisation | owl:disjointWith = Person | owl:disjointWith = wgs84_pos:SpatialThing @@ -6998,13 +8248,15 @@ A hormone is any member of a class of signaling molecules produced by glands in {{comment|en|A research project is a scientific investigation, usually using scientific methods, to achieve defined objectives.}} {{comment|el|Ένα ερευνητικό έργο είναι μια επιστημονική έρευνα, συνήθως με τη χρήση επιστημονικών μεθόδων, για την επίτευξη των καθορισμένων στόχων.}} | owl:equivalentClass = wikidata:Q1298668 -}}OntologyClass:RestArea20011139471352015-03-24T08:15:45Z{{Class +}}OntologyClass:RestArea20011139569132022-03-02T20:04:52Z{{Class | labels = -{{label|en|rest area}} -{{label|nl|rustplaats}} -{{label|de|Rasthof}} + {{label|en|rest area}} + {{label|fr|aire de repos}} + {{label|nl|rustplaats}} + {{label|de|Rasthof}} | comments = -{{Comment|en|A rest area is part of a Road, meant to stop and rest. More often than not, there is a filling station}} + {{comment|en|A rest area is part of a Road, meant to stop and rest. More often than not, there is a filling station}} + {{comment|fr|Une aire de repos fait partie d'une route, destinée à s'arrêter et à se reposer. Le plus souvent, il y a une station-service}} | rdfs:subClassOf = Infrastructure }}OntologyClass:Restaurant2002523474842015-04-01T19:15:07Z{{Class | labels = @@ -7018,16 +8270,18 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|pl|restauracja}} | rdfs:subClassOf = Building | owl:equivalentClass = schema:Restaurant, wikidata:Q11707 -}}OntologyClass:Resume2007167509092016-04-19T11:56:06Z{{Class +}}OntologyClass:Resume2007167573982022-04-03T08:50:18Z{{Class | labels = -{{label|en|Resume}} -{{label|de|Lebenslauf}} -{{label|el|Βιογραφικό σημείωμα}} -{{label|nl|CV}} -{{label|ja|職務経歴書}} + {{label|en|Resume}} + {{label|fr|curriculum vitae}} + {{label|de|Lebenslauf}} + {{label|el|Βιογραφικό σημείωμα}} + {{label|nl|CV}} + {{label|ja|職務経歴書}} | comments = -{{comment|en|A Resume describes a persons work experience and skill set.}} -{{comment|nl|Een CV (curriculum vitae) beschrijft iemands werkervaring en vaardigheden.}} + {{comment|en|A Resume describes a persons work experience and skill set.}} + {{comment|fr|Un curriculum vitae (CV) résume l'expérience d'une personne dans le travail ainsi que ses compétences.}} + {{comment|nl|Een CV (curriculum vitae) beschrijft iemands werkervaring en vaardigheden.}} | rdfs:subClassOf = WrittenWork }}OntologyClass:River2002286498502015-12-17T20:24:34Z{{Class | labels = @@ -7044,9 +8298,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{comment|en|a large natural stream}} | rdfs:subClassOf = Stream | owl:equivalentClass = schema:RiverBodyOfWater, wikidata:Q4022 -}}OntologyClass:Road200449474832015-04-01T19:12:41Z{{Class +}}OntologyClass:Road200449588762022-06-20T14:14:13Z{{Class | labels = {{label|en|road}} +{{label|ur|سڑک}} {{label|ca|carretera}} {{label|de|Straße}} {{label|el|δρόμος}} @@ -7059,28 +8314,32 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|pl|droga}} | rdfs:subClassOf = RouteOfTransportation | owl:equivalentClass = wikidata:Q34442 -}}OntologyClass:RoadJunction2003380479782015-05-25T14:58:25Z{{Class +}}OntologyClass:RoadJunction2003380567662022-02-28T17:49:37Z{{Class | labels = -{{label|en|road junction}} -{{label|ga|acomhal bóithre}} -{{label|de|Straßenkreuzung}} -{{label|nl|wegkruising}} + {{label|en|road junction}} + {{label|ga|acomhal bóithre}} + {{label|de|Straßenkreuzung}} + {{label|nl|wegkruising}} + {{label|fr|carrefour}} | comments = -{{comment|en|A 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).}} -{{comment|de|Eine Straßenkreuzung ist eine Stelle, an der sich zwei oder mehrere Straßen kreuzen (http://de.wikipedia.org/wiki/Stra%C3%9Fenkreuzung).}} + {{comment|en|A 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).}} + {{comment|fr|Un carrefour est un endroit où le trafic automobile allant dans différentes directions, peut se réaliser d'une manière contrôlée conçue pour minimiser les accidents. Dans certains cas, les véhicules peuvent changer de route ou la direction de leur parcours (http://en.wikipedia.org/wiki/Junction_%28road%29).}} + {{comment|de|Eine Straßenkreuzung ist eine Stelle, an der sich zwei oder mehrere Straßen kreuzen (http://de.wikipedia.org/wiki/Stra%C3%9Fenkreuzung).}} | rdfs:subClassOf = RouteOfTransportation -}}OntologyClass:RoadTunnel2003390479962015-05-25T15:00:20Z{{Class -| labels = -{{label|en|road tunnel}} -{{label|ga|tollán bóthair}} -{{label|el|Οδική σήραγγα}} -{{label|de|Straßentunnel}} -{{label|nl|wegtunnel}} +}}OntologyClass:RoadTunnel2003390574012022-04-03T08:59:19Z{{Class +| labels = + {{label|en|road tunnel}} + {{label|fr|tunnel routier}} + {{label|ga|tollán bóthair}} + {{label|el|Οδική σήραγγα}} + {{label|de|Straßentunnel}} + {{label|nl|wegtunnel}} | rdfs:subClassOf = RouteOfTransportation | owl:equivalentClass = wikidata:Q2354973 -}}OntologyClass:Robot20012190535472019-07-31T14:56:32Z{{Class +}}OntologyClass:Robot20012190566852022-02-28T10:35:36Z{{Class | labels = {{label|en|Robot}} +{{label|fr|Robot}} {{label|nl|Robot}} {{label|ru|Робота}} | rdfs:subClassOf = Device @@ -7122,13 +8381,16 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl|Romeinse keizer}} | rdfs:subClassOf = Person | owl:equivalentClass = wikidata:Q842606 -}}OntologyClass:RouteOfTransportation2003256481602015-05-25T15:17:22Z{{Class +}}OntologyClass:RouteOfTransportation2003256553712021-09-11T19:28:13Z{{Class | labels = {{label|en|route of transportation}} {{label|de|Transportweg}} {{label|es|Vía de transporte}} +{{label|ur|نقل و حمل کا راستہ}} | comments = {{comment|en|A 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).}} +{{comment|ur|نقل و حمل کا ایک راستہ (مکمل راستہ) ایک عام سڑک ، شاہراہ ، راستہ یا راستے پر پانی سے ایک جگہ سے دوسری جگہ پر جانے کا حوالہ دے سکتا ہے}} + {{comment|de|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).}} | rdfs:subClassOf = Infrastructure }}OntologyClass:RouteStop20011076531802018-08-19T09:57:44Z{{Class @@ -7153,7 +8415,7 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|漕艇選手}} | rdfs:subClassOf = Athlete | owl:equivalentClass = wikidata:Q13382576 -}}OntologyClass:Royalty2004211468272015-03-21T22:16:25Z{{Class +}}OntologyClass:Royalty2004211581222022-05-11T18:53:09Z{{Class | labels = {{label|en|royalty}} {{label|de|Königtum}} @@ -7164,6 +8426,7 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|王室}} {{label|nl|lid koningshuis}} {{label|ko|왕족}} +{{label|ur|شاہی}} | rdfs:subClassOf = Person }}OntologyClass:RugbyClub2005229530182018-03-14T11:44:29Z{{Class | labels = @@ -7196,7 +8459,17 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl|rugbyspeler}} | rdfs:subClassOf = Athlete | owl:equivalentClass = wikidata:Q13415036 -}}OntologyClass:Saint200452481542015-05-25T15:16:43Z{{Class +}}OntologyClass:Sailor20013559563862022-02-16T16:40:41Z{{Class +| labels = + {{label|en|Sailor}} + {{label|eu|Marinela}} + {{label|da|Sømand}} + {{label|fr|Navigatrice}} + {{label|hi|नाविक}} + {{label|ar|بحار}} +{{label|ur|ملاح}} +| rdfs:subClassOf = Athlete +}}OntologyClass:Saint200452564362022-02-17T04:17:19Z{{Class | labels = {{label|en|saint}} {{label|ga|naomh}} @@ -7205,12 +8478,14 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|fr|saint}} {{label|ko|성인}} {{label|ja|聖人}} +{{label|ur| ولی}} {{label|el|Πληροφορίες Αγίου}} | rdfs:subClassOf = Cleric | owl:equivalentClass = wikidata:Q43115 -}}OntologyClass:Sales200453528512018-02-08T20:39:21Z{{Class +}}OntologyClass:Sales200453565212022-02-17T11:46:10Z{{Class | labels = {{label|en|sales}} +{{label|ur|فروخت}} {{label|ga|díolacháin}} {{label|nl|verkoop}} {{label|de|Vertrieb}} @@ -7219,31 +8494,37 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|販売}} | rdfs:subClassOf = Activity | owl:equivalentClass = wikidata:Q194189 -}}OntologyClass:SambaSchool2005701394882015-01-20T13:53:24Z{{Class +}}OntologyClass:SambaSchool2005701566902022-02-28T10:46:52Z{{Class | labels = {{label|en| samba school}} {{label|de|Sambaschule}} {{label|es| escuela de samba}} +{{label|fr|école de samba}} {{label|el|σχολή σάμπα}} {{label|nl| samba school}} {{label|pt | escola de samba}} +{{label|ur| برازیلی رقص سکول}} | rdfs:subClassOf = Organisation -}}OntologyClass:Satellite2009369510872016-05-14T15:23:04Z{{Class +}}OntologyClass:Satellite2009369553402021-09-11T18:27:29Z{{Class | labels = {{label|en|Satellite}} {{label|fr|satellite}} {{label|ga|satailít}} - {{label|nl|satelliet}} - {{label|de|Satellite}} - {{label|el|δορυφόρος}} +{{label|nl|satelliet}} +{{label|de|Satellite}} +{{label|el|δορυφόρος}} +{{label|ur|ثانوی سیاره}} + | comments = {{comment|en|An astronomic object orbiting around a planet or star. Definition partly derived from http://www.ontotext.com/proton/protonext# (and thus WordNet 1.7).}} +{{comment|ur|ایک فلکیاتی شے جو کسی سیارے یا ستارے کے گرد چکر لگاتی ہے}} {{comment|el|Ένα αστρονομικό αντικείμενο που βρίσκεται σε τροχιά γύρω από έναν πλανήτη ή αστέρι.}} | rdfs:subClassOf = CelestialBody <!-- | owl:equivalentClass = http://www.ontotext.com/proton/protonext#Satellite --> -}}OntologyClass:School200636521422017-06-27T11:10:50Z{{Class +}}OntologyClass:School200636565192022-02-17T11:43:10Z{{Class | labels = {{label|en|school}} +{{label|ur|مدرسه}} {{label|da|skole}} {{label|de|Schule}} {{label|el|σχολείο}} @@ -7260,13 +8541,17 @@ A hormone is any member of a class of signaling molecules produced by glands in | owl:equivalentClass = schema:School, wikidata:Q3914 | specificProperties = {{SpecificProperty | ontologyProperty = campusSize | unit = squareKilometre }} -}}OntologyClass:ScientificConcept2009719469912015-03-22T19:11:17Z{{Class +}}OntologyClass:ScientificConcept2009719566882022-02-28T10:44:08Z{{Class | labels = {{label|en|Scientific concept}} - {{label|de|wissenschaftliche Theorie}} - {{label|nl|wetenschappelijke theorie}} + {{label|de|wissenschaftliche Theorie}} + {{label|fr|concept scientifique}} + {{label|nl|wetenschappelijke theorie}} + {{label|ur|سائنسی تصور}} | comments = {{comment|en|Scientific concepts, e.g. Theory of relativity, Quantum gravity}} + {{comment|fr|Concepts scientifiques tels que la théorie de la relativité, la gravité quantique}} + {{comment|ur|سائنسی تصورات، جیسے نظریہ اضافیت، کوانٹم کشش ثقل}} | rdfs:subClassOf = TopicalConcept -}}OntologyClass:Scientist200454481572015-05-25T15:16:58Z{{Class +}}OntologyClass:Scientist200454552762021-09-11T06:18:18Z{{Class | labels = {{label|en|scientist}} {{label|ga|eolaí}} @@ -7277,11 +8562,13 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ko|과학자}} {{label|bn|বিজ্ঞানী}} {{label|ja|科学者}} +{{label|ur|سائنسدان}} | rdfs:subClassOf = Person | owl:equivalentClass = wikidata:Q901 -}}OntologyClass:ScreenWriter2008344481582015-05-25T15:17:03Z{{Class +}}OntologyClass:ScreenWriter2008344565172022-02-17T11:40:32Z{{Class | labels = {{label|en|screenwriter}} +{{label|ur|قلم کار}} {{label|ga|scríbhneoir scáileáin}} {{label|fr|scénariste}} {{label|de|Drehbuchautor}} @@ -7290,9 +8577,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl|scenarioschrijver}} | comments = {{comment|el|Ο σεναριογράφος όχι μόνο γράφει την υπόθεση μιας σειράς άλλα είναι αυτός που επινοεί και τους πρωταγωνιστές του έργου.}} +{{comment|ur|قلم کار نہ صرف سیریز کا پلاٹ لکھتا ہے بلکہ ڈرامے کے مرکزی کرداروں کو ایجاد کرنے والا بھی ہوتا ہے}} | rdfs:subClassOf = Writer | owl:equivalentClass = wikidata:Q28389 -}}OntologyClass:Sculptor2006462509392016-04-26T03:22:45Z{{Class +}}OntologyClass:Sculptor2006462563932022-02-16T16:57:27Z{{Class | labels = {{label|en|sculptor}} {{label|ga|dealbhóir}} @@ -7301,8 +8589,9 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|fr|sculpteur}} {{label|nl|beeldhouwer}} {{label|ja|彫刻家}} +{{label|ur|مجسمہ ساز}} | rdfs:subClassOf = Artist -}}OntologyClass:Sculpture2002683509402016-04-26T03:23:15Z{{Class +}}OntologyClass:Sculpture2002683564382022-02-17T04:23:15Z{{Class |labels= {{label|en|Sculpture}} {{label|de|Skulptur}} @@ -7311,6 +8600,7 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|fr|sculpture}} {{label|nl|beeldhouwwerk}} {{label|ja|彫刻}} +{{label|ur|مجسمہ}} | rdfs:subClassOf = Artwork | owl:equivalentClass = schema:Sculpture @@ -7318,9 +8608,12 @@ A hormone is any member of a class of signaling molecules produced by glands in {{comment|en|Sculpture 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.}} {{comment|el|Γλυπτική είναι τρισδιάστατο έργο τέχνης το οποίο δημιουργήθηκε από τη διαμόρφωση ή συνδυάζοντας σκληρά υλικά, τυπικώς πέτρα όπως μάρμαρο, μέταλλο, γυαλί, ή ξύλο, ή πλαστικά υλικά όπως άργιλος, υφάσματα, πολυμερή και μαλακότερα μέταλλα.}} {{comment|nl|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.}} -}}OntologyClass:Sea2006754498452015-12-17T20:08:23Z{{Class +{{comment|ur|مجسمہ تین جہتی فَن کا کام ہے جو سخت مواد کی تشکیل یا امتزاج سے بنایا گیا ہے، عام طور پر پتھر جیسے سنگ مرمر، دھات، شیشہ، یا لکڑی، یا پلاسٹک کے مواد جیسے مٹی، ٹیکسٹائل، پولیمر اور نرم دھات۔}} + +}}OntologyClass:Sea2006754569562022-03-09T08:56:49Z{{Class |labels = {{label|en|sea}} +{{label|ur|سمندر}} {{label|ga|farraige}} {{label|el|θάλασσα}} {{label|fr|mer}} @@ -7328,9 +8621,12 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl|zee}} {{label|pt|mar}} {{label|ja|海}} +|comments = + {{comment|ur|نمکین پانی کا ایک جسم جو سیارے کے ہائیڈروسفیئر کا زیادہ تر حصہ بناتا ہے۔ }} + {{comment|fr|Masse d'eau salée qui constitue la majeure partie de l'hydrosphère de la planète.}} | rdfs:subClassOf = BodyOfWater | owl:equivalentClass = schema:SeaBodyOfWater -}}OntologyClass:Senator200455509412016-04-26T03:24:25Z{{Class +}}OntologyClass:Senator200455563952022-02-16T17:00:53Z{{Class | labels = {{label|en|senator}} {{label|ga|seanadóir}} @@ -7340,17 +8636,19 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|es|senador}} {{label|nl|senator}} {{label|ja|上院議員}} +{{label|ur|سینیٹ کا رُکن}} | rdfs:subClassOf = Politician -}}OntologyClass:SerialKiller2008089519362017-02-20T18:52:39Z{{Class +}}OntologyClass:SerialKiller2008089564442022-02-17T04:41:04Z{{Class | labels = {{label|en|serial killer}} {{label|de|Serienmörder}} {{label|el|κατά συρροήν δολοφόνος}} {{label|nl|seriemoordenaar}} {{label|fr|tueur en série}} +{{label|ur|سلسلہ وار قاتل}} | rdfs:subClassOf = Murderer | owl:equivalentClass = wikidata:Q484188 -}}OntologyClass:Settlement200412514352016-08-16T07:23:52Z{{Class +}}OntologyClass:Settlement200412552602021-09-10T21:01:40Z{{Class | labels = {{label|en|settlement}} {{label|ga|bardas}} @@ -7359,9 +8657,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|fr|zone peuplée}} {{label|el|οικισμός}} {{label|ja|居住地}} +{{label|ur|بستی}} | rdfs:subClassOf = PopulatedPlace | owl:equivalentClass = wikidata:Q486972 -}}OntologyClass:Ship200456528182018-02-08T19:56:47Z{{Class +}}OntologyClass:Ship200456563972022-02-16T17:04:08Z{{Class | labels = {{label|en|ship}} {{label|ga|árthach}} @@ -7373,10 +8672,11 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ko|배}} {{label|ja|舩}} {{label|nl|schip}} +{{label|ur|جہاز}} | rdfs:subClassOf = MeanOfTransportation, schema:Product | owl:equivalentClass = wikidata:Q11446 }} -<!-- -->OntologyClass:ShoppingMall200457479792015-05-25T14:58:30Z{{Class +<!-- -->OntologyClass:ShoppingMall200457564482022-02-17T04:46:04Z{{Class |labels= {{label|en|shopping mall}} {{label|ga|ionad siopadóireachta}} @@ -7387,11 +8687,13 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl|winkelcentrum}} {{label|pt|shopping}} {{label|ko|쇼핑몰}} +{{label|ur|خریداری کرنے کے لیے مختص جگہ}} | rdfs:subClassOf = Building | owl:equivalentClass = schema:ShoppingCenter, wikidata:Q11315 -}}OntologyClass:Shrine2006662514332016-08-09T07:29:45Z{{Class +}}OntologyClass:Shrine2006662565102022-02-17T11:29:27Z{{Class | labels = {{label|en|shrine}} +{{label|ur|مزار}} {{label|el|βωμός}} {{label|de|schrein}} {{label|it|santuario}} @@ -7401,7 +8703,7 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:subClassOf = ReligiousBuilding | owl:equivalentClass = wikidata:Q697295 -}}OntologyClass:Singer2009427509432016-04-26T03:26:29Z{{Class +}}OntologyClass:Singer2009427571212022-03-12T22:29:35Z{{Class | labels = {{label|en|Singer}} {{label|ga|amhránaí}} {{label|de|Sänger}} @@ -7409,11 +8711,15 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|fr|chanteur}} {{label|nl|zanger}} {{label|ja|歌手}} -| comments = {{comment|en|a person who sings.}} -{{comment|el|ένα άτομο που τραγουδά.}} +{{label|ur|گلوکار}} +| comments = + {{comment|en|a person who sings.}} + {{comment|fr|Tout chanteur(euse) (incluant soliste et choriste, interprète, chanteur-instrumentaliste, etc). Tout artiste solo qui compose et/ou fait partie d'un groupe.}} + {{comment|el|ένα άτομο που τραγουδά.}} + {{comment|ur|ایک شخص جو گاتا ہے}} | rdfs:subClassOf = MusicalArtist | owl:equivalentClass = wikidata:Q177220 -}}OntologyClass:Single200458481622015-05-25T15:17:26Z{{Class +}}OntologyClass:Single200458570672022-03-10T09:34:21Z{{Class | labels = {{label|en|single}} {{label|ga|singil}} @@ -7423,13 +8729,27 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ko|싱글}} {{label|ja|シングル}} {{label|nl|single}} +{{label|ur|سنگل}} | comments = {{comment|en|In music, a single or record single is a type of release, typically a recording of fewer tracks than an LP or a CD.}} +{{comment|fr|En musique, un single ou encore un disque 45 tours est un format de diffusion; c'est typiquement un enregistrement de quelques pistes dont le nombre est plus petit que pour un LP (un disque 33 tours) ou un CD.}} +{{comment|ur|موسیقی میں، سنگل یا ریکارڈ سنگل ریلیز کی ایک قسم ہے، عام طور پر ایل پی یا سی ڈی سے کم ٹریک کی ریکارڈنگ}} | rdfs:subClassOf = MusicalWork | owl:equivalentClass = wikidata:Q134556 -}}OntologyClass:SiteOfSpecialScientificInterest200459518712017-01-21T14:21:56Z{{Class +}}OntologyClass:SingleList20013826586762022-05-15T11:49:56Z{{Class +| labels = + {{label|en|single list}} + {{label|ur|ایک فہرست}} + {{label|fr|liste de singles}} +| comments = + {{comment|en|A list of singles}} +{{comment|ur|اِنفرادی فہرست}} + {{comment|fr|Liste de singles (disques 45 tours)}} +| rdfs:subClassOf = List +}}OntologyClass:SiteOfSpecialScientificInterest200459565082022-02-17T11:26:58Z{{Class | labels = {{label|en|Site of Special Scientific Interest}} +{{label|ur|خصوصی سائنسی دلچسپی کی سائٹ}} {{label|ga|Láithreán Sainspéis Eolaíochta}} {{label|de|wissenschaftliche Interessenvertretung für Denkmalschutz}} {{label|el|Τοποθεσία Ειδικού Επιστημονικού Ενδιαφέροντος}} @@ -7438,9 +8758,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl|plaats met bijzonder wetenschappelijk belang}} | comments = {{comment|en|A 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.}} +{{comment|ur|خصوصی سائنسی دلچسپی کی سائٹ (SSSI) ایک تحفظ کا عہدہ ہے جو برطانیہ میں ایک محفوظ علاقے کی نشاندہی کرتا ہے۔ SSSIs سائٹ پر مبنی فطرت کے تحفظ سے متعلق قانون سازی کا بنیادی تعمیراتی حصہ ہیں اور برطانیہ میں بیشتر دیگر قانونی نوعیت/ارضیاتی تحفظ کے عہدہ ان پر مبنی ہیں، بشمول نیشنل نیچر ریزرو، رامسر سائٹس، خصوصی تحفظ کے علاقے، اور تحفظ کے خصوصی علاقے}} | rdfs:subClassOf = Place | owl:equivalentClass = wikidata:Q422211 -}}OntologyClass:Skater2007325509442016-04-26T03:27:14Z{{Class +}}OntologyClass:Skater2007325564012022-02-16T17:21:02Z{{Class | labels = {{label|en|skater}} {{label|ga|scátálaí}} @@ -7449,9 +8770,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|it|pattinatore}} {{label|nl|schaatser}} {{label|ja|スケート選手}} +{{label|ur|اسکیٹ کرنے والا}} | rdfs:subClassOf = WinterSportPlayer | owl:equivalentClass = wikidata:Q847400 -}}OntologyClass:SkiArea200460486022015-08-05T16:14:14Z{{Class +}}OntologyClass:SkiArea200460564522022-02-17T06:10:23Z{{Class | labels = {{label|en|ski area}} {{label|ga|láthair sciála}} @@ -7459,12 +8781,13 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|fr|domaine skiable}} {{label|el|Περιοχή Χιονοδρομίας}} {{label|ja|スキー場}} -{{label|nl|skigebied}} +{{label|ur|اسکی کاعلاقہ}} | rdfs:subClassOf = SportFacility | owl:equivalentClass = schema:SkiResort -}}OntologyClass:SkiResort2007184486032015-08-05T16:14:43Z{{Class +}}OntologyClass:SkiResort2007184565062022-02-17T11:22:18Z{{Class | labels = {{label|en|ski resort}} +{{label|ur|پھسلن کھیل کا میدان}} {{label|ga|baile sciála}} {{label|el|θέρετρο σκι}} {{label|de|Skigebiet}} @@ -7473,15 +8796,18 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:subClassOf = SkiArea | comments = {{comment|el|Το θέρετρο σκι χρησιμοποιείται για να περιγράψει έναν τόπο διακοπών με τις απαραίτητες εγκαταστάσεις διαμονής και εξάσκησης του χειμερινού αθλήματος της χιονοδρομίας}} +{{comment|ur|پھسلن کھیل میدان کا استعمال چھٹیوں کے مقام کو بیان کرنے کے لیے کیا جاتا ہے جس میں قیام اور اسکیئنگ کے موسم سرما کے کھیل کی مشق کے لیے ضروری سہولیات موجود ہیں}} | owl:equivalentClass = wikidata:Q130003 -}}OntologyClass:Ski jumper20011177514972016-09-16T19:09:33Z{{Class +}}OntologyClass:Ski jumper20011177564032022-02-16T17:34:34Z{{Class | labels = {{label|en|ski jumper}} {{label|de|Skispringer}} {{label|nl|skispringer}} + +{{label|ur|ہوا میں چھلانگ لگانے والا}} | rdfs:subClassOf = WinterSportPlayer <!-- | owl:equivalentClass = wikidata:Q15117302 --> -}}OntologyClass:Skier2006213481652015-05-25T15:17:41Z{{Class +}}OntologyClass:Skier2006213564542022-02-17T06:12:21Z{{Class | labels = {{label|en|skier}} {{label|ga|sciálaí}} {{label|fr|skieur}} @@ -7489,12 +8815,20 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|it|sciatore}} {{label|el|σκιέρ}} {{label|ja|スキーヤー}} +{{label|ur|اسکی باز}} {{label|nl|skiër}} | rdfs:subClassOf = WinterSportPlayer | owl:equivalentClass = wikidata:Q4270517 -}}OntologyClass:Skos:Concept2001626471242015-03-23T16:36:13Z{{Class +}}OntologyClass:Skos20014129586812022-05-15T11:58:29Z{{Class +| labels = + +{{label|en|Concept}} +{{label|ur|تصور}} +| rdfs:subClassOf = owl:Thing +}}OntologyClass:Skos:Concept2001626565042022-02-17T11:14:44Z{{Class | labels = {{label|en|Concept}} +{{label|ur|تصور}} {{label|el|Έννοια}} {{label|fr|Concept}} {{label|de|Konzept}} @@ -7502,12 +8836,14 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|コンセプト}} {{label|nl|concept}} | rdfs:subClassOf = owl:Thing -}}OntologyClass:Skos:OrderedCollection2006328458432015-03-14T20:01:24Z{{Class +}}OntologyClass:Skos:OrderedCollection2006328566622022-02-28T09:38:22Z{{Class |rdfs:label@en = Ordered Collection +|rdfs:label@fr = Collection ordonnée |rdfs:label@de = Ordered Collection |rdfs:label@el = Διατεταγμένη Συλλογή |rdfs:label@nl = Volgordelijke verzameling -}}OntologyClass:Skyscraper200461479862015-05-25T14:59:11Z{{Class +|rdfs:label@ur = بیول :منظم شدہ مجموعہ +}}OntologyClass:Skyscraper200461564562022-02-17T06:14:01Z{{Class | labels = {{label|en|skyscraper}} {{label|ga|ilstórach}} @@ -7518,43 +8854,58 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|de|Hochhaus}} {{label|ko|초고층 건물}} {{label|ja|超高層建築物}} +{{label|ur|فلک بوس عمارت}} | rdfs:subClassOf = Building | owl:equivalentClass = wikidata:Q11303 -}}OntologyClass:SnookerChamp2003543515142016-09-18T11:32:22Z{{Class +}}OntologyClass:SnookerChamp2003543565012022-02-17T11:06:38Z{{Class | rdfs:label@en = snooker world champion | rdfs:label@nl = wereldkampioen snooker | rdfs:label@de = Snookerweltmeister | rdfs:label@ga = curadh domhanda sa snúcar | rdfs:comment@en = An athlete that plays snooker and won the world championship at least once | rdfs:comment@de = Ein Sportler der Snooker spielt und mindestens einmal die Weltmeisterschaft gewonnen hat +|comments= +{{comment|ur|کھیلوں کی ٹیموں یا انفرادی کھلاڑیوں کا ایک گروہ جو ایک مخصوص کھیل میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں}} | rdfs:subClassOf = SnookerPlayer -}}OntologyClass:SnookerPlayer2003533479812015-05-25T14:58:48Z{{Class +| labels = +{{label|ur|سنوکر کا فاتح}} +}}OntologyClass:SnookerPlayer2003533565022022-02-17T11:10:54Z{{Class | labels = {{label|en|snooker player}} {{label|ga|imreoir snúcair}} {{label|de|Snookerspieler}} {{label|nl|biljarter}} +{{label|ur|سنوکر کے کھلاڑی}} | rdfs:comment@en = An athlete that plays snooker, which is a billard derivate | rdfs:comment@de = Ein Sportler der Snooker spielt, eine bekannte Billardvariante +| comments = +{{comment|ur|ایک کھلاڑی جو سنوکر کھیلتا ہے، جو بلارڈ ڈیریویٹ ہے۔}} | rdfs:subClassOf = Athlete -}}OntologyClass:SnookerWorldRanking2004220470712015-03-23T11:50:45Z{{Class +}}OntologyClass:SnookerWorldRanking2004220564722022-02-17T09:32:13Z{{Class | labels = {{label|en|snooker world ranking}} +{{label|ur|سنوکر کی عالمی درجہ بندی}} {{label|de|Snookerweltrangliste}} {{label|nl|wereldranglijst snooker}} | comments = {{comment|en|The official world ranking in snooker for a certain year/season}} +{{comment|ur|ایک مخصوص سال/سیزن کے لیے سنوکر میں آفیشل عالمی درجہ بندی}} {{comment|de|Die offizielle Weltrangliste im Snooker eines Jahres / einer Saison}} | rdfs:subClassOf = SportCompetitionResult <!-- dul:Role --> -}}OntologyClass:SoapCharacter2006096481662015-05-25T15:17:45Z{{Class +}}OntologyClass:SoapCharacter2006096573362022-03-31T10:51:51Z{{Class | labels = -{{label|en|soap character}} -{{label|ga|carachtar i sobaldráma}} -{{label|de|Soapoper Charakter}} -{{label|el|χαρακτήρας σαπουνόπερας}} -{{label|nl|soap karakter}} + {{label|en|soap character}} + {{label|fr|personnage de feuilleton}} + {{label|ur|سلسلہ وار ڈرامے کا کردار}} + {{label|ga|carachtar i sobaldráma}} + {{label|de|Soapoper Charakter}} + {{label|el|χαρακτήρας σαπουνόπερας}} + {{label|nl|soap karakter}} +| comments = + {{comment|en|Character of soap - radio or television serial frequently characterized by melodrama, ensemble casts, and sentimentality.}} + {{comment|fr|Personnage de feuilleton mélodramatique ou sentimental pour la radio ou la télévision.}} | rdfs:subClassOf = FictionalCharacter -}}OntologyClass:SoccerClub200462530172018-03-14T11:42:47Z{{Class +}}OntologyClass:SoccerClub200462586302022-05-15T08:34:07Z{{Class | labels = {{label|en|soccer club}} {{label|ca|club de futbol}} @@ -7566,17 +8917,22 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ga|club sacair}} {{label|nl|voetbalclub}} {{label|pl|klub piłkarski}} +{{label|ur|فٹ بال تنظیم}} | rdfs:subClassOf = SportsClub + + | owl:equivalentClass = wikidata:Q476028 -}}OntologyClass:SoccerClubSeason2005043492762015-10-18T12:07:06Z{{Class +}}OntologyClass:SoccerClubSeason2005043564762022-02-17T09:45:15Z{{Class | labels = {{label|en|soccer club season}} +{{label|ur|فٹ بال کلب کا موسم}} {{label|de|Fußballverein Saison}} {{label|nl|voetbalseizoen}} | rdfs:subClassOf = SportsTeamSeason -}}OntologyClass:SoccerLeague2002280504152016-03-04T06:40:12Z{{Class +}}OntologyClass:SoccerLeague2002280564942022-02-17T10:35:04Z{{Class | labels = {{label|en|soccer league}} +{{label|ur|فٹ بال کی انجمن}} {{label|ga|sraith sacair}} {{label|de|Fußball Liga}} {{label|el|Ομοσπονδία Ποδοσφαίρου}} @@ -7585,16 +8941,19 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|サッカーリーグ}} | comments = {{comment|en|A group of sports teams that compete against each other in soccer.}} +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروپ جو فٹ بال میں ایک دوسرے کے خلاف مقابلہ کرتا ہے۔}} | rdfs:subClassOf = SportsLeague -}}OntologyClass:SoccerLeagueSeason2004571492792015-10-18T12:11:11Z{{Class +}}OntologyClass:SoccerLeagueSeason2004571564132022-02-16T17:59:08Z{{Class | labels = {{label|en|soccer league season}} {{label|de|Fußball-Liga Saison}} {{label|el|περίοδος κυπέλλου ποδοσφαίρου}} {{label|tr|futbol ligi sezonu}} {{label|nl|voetbalseizoen}} +{{label|ur| انجمن فٹ بال موسم}} + | rdfs:subClassOf = SportsTeamSeason -}}OntologyClass:SoccerManager200368504132016-03-04T06:39:27Z{{Class +}}OntologyClass:SoccerManager200368564702022-02-17T06:34:50Z{{Class | rdfs:label@en = soccer manager | rdfs:label@ga = bainisteoir sacair | rdfs:label@de = Fußballmanager @@ -7605,9 +8964,13 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@ja = サッカーマネージャー | rdfs:subClassOf = SportsManager | owl:equivalentClass = wikidata:Q628099 -}}OntologyClass:SoccerPlayer200463537352020-09-25T19:53:14Z{{Class + +|labels= +{{label|ur|فٹ بال منتظم}} +}}OntologyClass:SoccerPlayer200463564922022-02-17T10:27:32Z{{Class | labels = {{label|en|soccer player}} +{{label|ur|فٹبال کا کھلاڑی}} {{label|ga|imreoir sacair}} {{label|it|calciatore}} {{label|da|fodboldspiller}} @@ -7620,7 +8983,7 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|サッカー選手}} | rdfs:subClassOf = Athlete | owl:equivalentClass = wikidata:Q937857 -}}OntologyClass:SoccerTournament2004577504142016-03-04T06:39:49Z{{Class +}}OntologyClass:SoccerTournament2004577564152022-02-16T18:07:27Z{{Class | labels = {{label|en|soccer tournoment}} {{label|ga|comórtas sacair}} @@ -7630,17 +8993,26 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|tr|futbol turnuvası}} {{label|nl|voetbal toernooi}} {{label|ja|サッカートーナメント}} + {{label|ur|فٹ بال باہمی مقابلہ}} | rdfs:subClassOf = Tournament -}}OntologyClass:SocietalEvent2008258468652015-03-22T11:23:24Z{{Class +}}OntologyClass:SocietalEvent2008258579052022-05-05T11:04:49Z{{Class | labels = {{label|en|societal event}} {{label|fr|évènement collectif}} {{label|de|gesellschatliches Ereignis}} {{label|nl|maatschappelijke gebeurtenis}} +{{label|ur| +معاشرتی واقعہ}} + + + | comments = {{comment|en|an event that is clearly different from strictly personal events}} +{{comment|ur|ایک ایسا واقعہ جو سختی سے ذاتی واقعات سے واضح طور پر مختلف ہو}} + + | rdfs:subClassOf = Event -}}OntologyClass:SoftballLeague2002185479532015-05-25T14:55:51Z{{Class +}}OntologyClass:SoftballLeague2002185587152022-05-15T13:30:35Z{{Class | labels = {{label|en|softball league}} {{label|ga|sraith bogliathróide}} @@ -7648,11 +9020,13 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|el|πρωτάθλημα σόφτμπολ}} {{label|fr|ligue de softball}} {{label|nl|softball competitie}} +{{label|ur|سافٹ بال انجمن}} | comments = {{comment|en|A group of sports teams that compete against each other in softball.}} +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروپ جو سافٹ بال میں ایک دوسرے سے مقابلہ کرتا ہے}} {{comment|el|Ομάδες που ανταγωνίζονται στο αγώνισμα του σόφτμπολ.}} | rdfs:subClassOf = SportsLeague -}}OntologyClass:Software200464521072017-06-19T10:57:47Z{{Class +}}OntologyClass:Software200464564172022-02-16T18:11:40Z{{Class | labels = {{label|en|software}} {{label|ga|bogearraí}} @@ -7665,10 +9039,11 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|sl|programska oprema}} {{label|ko|소프트웨어}} {{label|ja|ソフトウェア}} +{{label|ur|تحریری پروگراموں کا مجموعہ}} | rdfs:subClassOf = Work | specificProperties = {{SpecificProperty | ontologyProperty = fileSize | unit = megabyte }} | owl:equivalentClass = wikidata:Q7397 -}}OntologyClass:SolarEclipse2008702482142015-05-25T15:22:37Z{{Class +}}OntologyClass:SolarEclipse2008702564672022-02-17T06:29:07Z{{Class | labels = {{label|en|solar eclipse}} {{label|ga|urú na gréine}} @@ -7677,11 +9052,13 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|de|Sonnenfinsternis}} {{label|it|eclissi solare}} {{label|nl|zonsverduistering}} +{{label|ur|سورج گرہن}} | rdfs:subClassOf = NaturalEvent | comments = {{comment|el|Έκλειψη ηλίου ονομάζεται το φαινόμενο κατά το οποίο η Σελήνη παρεμβάλλεται ανάμεσα στον Ήλιο και τη Γη, με αποτέλεσμα ορισμένες περιοχές της Γης να δέχονται λιγότερο φως από ό,τι συνήθως.}} +{{comment|ur|سورج گرہن ایک ایسا واقعہ ہے جس میں چاند سورج اور زمین کے درمیان مداخلت کرتا ہے، جس کی وجہ سے زمین کے کچھ علاقوں کو معمول سے کم روشنی ملتی ہے}} | owl:equivalentClass = wikidata:Q3887 -}}OntologyClass:Song200465528252018-02-08T20:05:32Z{{Class +}}OntologyClass:Song200465556582021-09-17T06:49:18Z{{Class | labels = {{label|en|song}} {{label|ga|amhrán}} @@ -7693,36 +9070,45 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|el|τραγούδι}} {{label|ko|노래}} {{label|ja|歌}} +{{label|ur|گانا}} + | rdfs:subClassOf = MusicalWork, schema:MusicRecording | owl:equivalentClass = -}}OntologyClass:SongWriter2009426523622017-10-10T14:09:50Z{{Class +}}OntologyClass:SongWriter2009426564202022-02-16T18:17:16Z{{Class | labels = {{label|en|songwriter}} {{label|da|sangskriver}} {{label|de|Liedschreiber}} {{label|nl|songwriter (tekstdichter)}} {{label|fr|auteur-compositeur}} +{{label|ur|نغمہ نگار }} | comments = {{comment|en|a person who writes songs.}} {{comment|nl|een persoon die de muziek en/of de tekst voor populaire muzieknummers schrijft.}} +{{comment|ur|ایک شخص جو گانے لکھتا ہے۔}} | rdfs:subClassOf = Writer | owl:equivalentClass = wikidata:Q753110 -}}OntologyClass:Sound2009576523632017-10-10T14:10:13Z{{Class +}}OntologyClass:Sound2009576567092022-02-28T13:30:06Z{{Class | labels = {{label|en|sound}} {{label|ga|fuaim}} {{label|da|lyd}} {{label|de|Lied}} +{{label|fr|audio}} {{label|nl|geluid}} {{label|el|ήχος}} {{label|ja|音}} +{{label|ur|آواز}} | comments = {{comment|en|An audio document intended to be listened to; equivalent to http://purl.org/dc/dcmitype/Sound}} +{{comment|fr|Un document sonore à écouter; équivalent à http://purl.org/dc/dcmitype/Sound}} {{comment|el|Μεταβολή στην πίεση του ατμοσφαιρικού αέρα που διεγείρει το αισθητήριο όργανο της ακοής μέσω ηχητικών κυμάτων}} +{{comment|ur|صوتی لہروں کے ذریعے سماعت کے حسی اعضاء سے محرک ہوا کے دباؤ میں تبدیلی}} | rdfs:subClassOf = Document -}}OntologyClass:SpaceMission200467479632015-05-25T14:56:53Z{{Class +}}OntologyClass:SpaceMission200467564882022-02-17T10:18:33Z{{Class | labels = {{label|en|space mission}} +{{label|ur|خلائی مہم}} {{label|ga|misean spáís}} {{label|de|Weltraummission}} {{label|el|διαστημική αποστολή}} @@ -7742,7 +9128,7 @@ A hormone is any member of a class of signaling molecules produced by glands in {{SpecificProperty | ontologyProperty = lunarSampleMass | unit = kilogram }} {{SpecificProperty | ontologyProperty = lunarEvaTime | unit = hour }} | owl:equivalentClass = wikidata:Q2133344 -}}OntologyClass:SpaceShuttle200468481732015-05-25T15:18:23Z{{Class +}}OntologyClass:SpaceShuttle200468564222022-02-16T18:20:09Z{{Class | labels = {{label|en|space shuttle}} {{label|ga|spástointeáil}} @@ -7751,11 +9137,12 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|el|διαστημικό λεωφορείο}} {{label|ko|우주 왕복선}} {{label|nl|ruimteveer}} +{{label|ur|خلائی جہاز}} | rdfs:subClassOf = MeanOfTransportation | specificProperties = {{SpecificProperty | ontologyProperty = timeInSpace | unit = day }} {{SpecificProperty | ontologyProperty = distance | unit = kilometre }} | owl:equivalentClass = wikidata:Q48806 -}}OntologyClass:SpaceStation200469481742015-05-25T15:18:27Z{{Class +}}OntologyClass:SpaceStation200469564652022-02-17T06:26:53Z{{Class | labels = {{label|en|space station}} {{label|ga|stáisiún spáis}} @@ -7765,12 +9152,14 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|es|estación espacial}} {{label|ko|우주 정거장}} {{label|nl|ruimtestation}} +{{label|ur|خلائی اڈہ}} | rdfs:subClassOf = MeanOfTransportation | specificProperties = {{SpecificProperty | ontologyProperty = volume | unit = cubicMetre }} | owl:equivalentClass = wikidata:Q25956 -}}OntologyClass:Spacecraft200466509462016-04-26T03:28:36Z{{Class +}}OntologyClass:Spacecraft200466564872022-02-17T10:14:59Z{{Class | labels = {{label|en|spacecraft}} +{{label|ur|خلائی جہاز}} {{label|ga|spásárthach}} {{label|de|Raumfahrzeug}} {{label|el|διαστημόπλοιο}} @@ -7791,7 +9180,7 @@ A hormone is any member of a class of signaling molecules produced by glands in {{SpecificProperty | ontologyProperty = totalCargo | unit = kilogram }} {{SpecificProperty | ontologyProperty = freeFlightTime | unit = day }} | owl:equivalentClass = wikidata:Q40218 -}}OntologyClass:Species200470520822017-06-19T10:33:54Z{{Class +}}OntologyClass:Species200470574752022-04-24T09:34:50Z{{Class | labels = {{label|en|species}} {{label|ga|speiceas}} @@ -7799,42 +9188,53 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|el|είδος}} {{label|da|arter}} {{label|de|Spezie}} -{{label|fr|espèce}} +{{label|fr|espèces}} {{label|ja|種_(分類学)}} {{label|nl|soort}} +{{label|ur|قسم}} +| comments= +{{comment|ur|درجہ بندی کے نظام میں ایک زمرہ}} +{{comment|en|A category in the rating system}} | rdfs:subClassOf = owl:Thing <!-- dul:Organism --> -}}OntologyClass:SpeedSkater20011169469482015-03-22T17:23:24Z{{Class +}}OntologyClass:SpeedSkater20011169564612022-02-17T06:21:36Z{{Class | labels = {{label|en|speed skater}} {{label|de|Eisschnellläufer}} {{label|nl|langebaanschaatser}} +{{label|ur|رفتار سکیٹر}} | rdfs:subClassOf = WinterSportPlayer -}}OntologyClass:SpeedwayLeague2002181492722015-10-18T11:43:42Z{{Class +|comments= +{{comment|ur|ایک آئس سکیٹر جو مسابقتی طور پر دوڑتا ہے۔ عام طور پر ایک اوول کورس کے ارد گرد}} +}}OntologyClass:SpeedwayLeague2002181564852022-02-17T10:12:47Z{{Class | labels = {{label|en|speedway league}} +{{label|ur|تیز راہ کی انجمن}} {{label|de|Speedway Liga}} {{label|el|πρωτάθλημα αυτοκινητοδρόμου}} {{label|fr|ligue de speedway}} {{label|nl|speedway competitie}} | comments = {{comment|en|A group of sports teams that compete against each other in motorcycle speedway racing.}} +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروپ جو موٹرسائیکل سپیڈ وے ریسنگ میں ایک دوسرے سے مقابلہ کرتا ہے}} | rdfs:subClassOf = SportsLeague -}}OntologyClass:SpeedwayRider2006199458032015-03-14T11:17:57Z{{Class +}}OntologyClass:SpeedwayRider2006199564242022-02-16T18:26:37Z{{Class | labels = {{label|en|speedway rider}} {{label|de|Speedway Fahrer}} {{label|nl|speedway rijder}} +{{label|ur|تیز راہ سوار}} | rdfs:subClassOf = MotorcycleRider -}}OntologyClass:SpeedwayTeam2003643479352015-05-25T14:53:49Z{{Class +}}OntologyClass:SpeedwayTeam2003643564342022-02-17T04:15:00Z{{Class | labels = {{label|en|speedway team}} {{label|ga|foireann luasbhealaigh}} {{label|nl|speedwayteam}} {{label|de|Speedwayteam}} {{label|pl|klub żużlowy}} +{{label|ur|سپیڈ وے ٹیم}} | rdfs:subClassOf = SportsTeam -}}OntologyClass:Sport2002151526462017-11-03T16:21:11Z{{Class +}}OntologyClass:Sport2002151555402021-09-15T05:26:10Z{{Class | labels = {{label|en|sport}} {{label|ga|spórt}} @@ -7847,11 +9247,14 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|スポーツ}} {{label|pt|esporte}} {{label|ru|Вид спорта}} +{{label|ur|کھیل}} |comments = {{comment|en|A sport is commonly defined as an organized, competitive, and skillful physical activity.}} +{{comment|ur|ایک ساختی سرگرمی ، جو عموما لطف اندوز ہونے کے لیے کی جاتی ہے اور بعض اوقات تعلیمی آلے کے طور پر استعمال ہوتی ہے۔ +.}} | rdfs:subClassOf = Activity | owl:equivalentClass = wikidata:Q349 -}}OntologyClass:SportCompetitionResult2006056492702015-10-18T11:40:48Z{{Class +}}OntologyClass:SportCompetitionResult2006056563802022-02-16T14:55:36Z{{Class | labels = {{label|en|results of a sport competition}} {{label|de|Ergebnisse eines Sportwettbewerbs}} @@ -7859,34 +9262,39 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|fr|résultats d'une compétition sportive}} {{label|es|resultados de una competición deportiva}} {{label|nl|uitslag van een sport competitie}} + {{label|ur|کھیلوں کے مقابلے کا نتیجہ}} | rdfs:subClassOf = -}}OntologyClass:SportFacility2005950492002015-10-14T13:02:28Z{{Class +}}OntologyClass:SportFacility2005950553922021-09-11T20:18:58Z{{Class | labels = {{label|en|sport facility}} {{label|de|Sportanlage}} {{label|el|αθλητικές εγκαταστάσεις}} {{label|fr|installation sportive}} {{label|nl|sportfaciliteit}} +{{label|ur|کھیل کی سہولت}} | rdfs:subClassOf = ArchitecturalStructure -}}OntologyClass:SportsClub20011256484292015-07-02T12:59:09Z{{Class +}}OntologyClass:SportsClub20011256585002022-05-14T19:17:34Z{{Class | labels = -{{label|en|sports club}} -{{label|de|Sportverein}} -{{label|nl|sportclub}} + {{label|en|sports club}} + {{label|fr|club de sport}} + {{label|de|Sportverein}} + {{label|nl|sportclub}} + {{label|ur|کھیلوں کی تنظیم}} | rdfs:subClassOf = Organisation - -}}OntologyClass:SportsEvent200471288832013-12-06T14:22:26Z{{Class +}}OntologyClass:SportsEvent200471549902021-09-09T11:41:29Z{{Class | labels = {{label|de|Sportereignis}} {{label|en|sports event}} {{label|pt|evento esportivo}} {{label|fr|évènement sportif}} {{label|nl|sportevenement}} +{{label|ur|کھیلوں کی تقریب}} | comments = {{comment|en|a event of competitive physical activity}} +{{comment|ur|مقابلتی جسمانی سرگرمی کا ایک واقعہ}} | rdfs:subClassOf = SocietalEvent | owl:equivalentClass = schema:SportsEvent -}}OntologyClass:SportsLeague2002147504102016-03-04T06:35:15Z{{Class +}}OntologyClass:SportsLeague2002147550352021-09-09T13:03:05Z{{Class | labels = {{label|en|sports league}} {{label|de|Sportliga}} @@ -7896,28 +9304,33 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ko|스포츠 리그}} {{label|nl|sport competitie}} {{label|ja|スポーツリーグ}} +{{label|ur|کھیلوں کی انجمن}} | comments = {{comment|en|A group of sports teams or individual athletes that compete against each other in a specific sport.}} +{{comment|ur|کھیلوں کی ٹیموں یا انفرادی کھلاڑیوں کا ایک گروہ جو ایک مخصوص کھیل میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں۔}} | rdfs:subClassOf = Organisation | owl:equivalentClass = wikidata:Q623109 -}}OntologyClass:SportsManager2006326376092014-08-25T11:34:44Z{{Class +}}OntologyClass:SportsManager2006326564792022-02-17T09:54:38Z{{Class | labels = {{label|en|sports manager}} +{{label|ur|کھیلوں کا منتظم}} {{label|de|Sportmanager}} {{label|el|αθλητικός μάνατζερ}} {{label|es|director deportivo}} {{label|nl|sportbestuurder}} |comments= {{comment|en| According 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.}} +{{comment|ur|فرانسیسی لیبل سب ساکر کے مطابق، ٹرینر شپ کا مطلب ہو سکتا ہے۔ تاہم، یہاں ایک اسپورٹس مینیجر کو اسپورٹنگ کلب کے بورڈ کے رکن سے تعبیر کیا جاتا ہے}} {{comment|el|Σύμφωνα με τη γαλλική ετικέτα Soccer,μπορεί να εννοείται ο προπονητής.Παρ'όλα αυτα,εδώ ένας αθλητικός μάνατζερ μεταφράζεται ως ένα μέλος συμβουλίου ενός αθλητικού κλαμπ.}} | rdfs:subClassOf = Person -}}OntologyClass:SportsSeason2006088345472014-04-08T15:48:10Z{{Class +}}OntologyClass:SportsSeason2006088558912021-09-17T22:35:20Z{{Class | labels = {{label|en|sports season}} {{label|de|Sportsaison}} {{label|el|περίοδος αθλημάτων}} {{label|nl|sportseizoen}} -}}OntologyClass:SportsTeam200472519502017-02-27T10:45:07Z{{Class +{{label|ur|کھیلوں کا موسم}} +}}OntologyClass:SportsTeam200472584272022-05-14T16:07:40Z{{Class | labels = {{label|en|sports team}} {{label|de|Sportmannschaft}} @@ -7925,35 +9338,55 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|el|ομαδικά αθλήματα}} {{label|fr|équipe sportive}} {{label|ja|スポーツチーム}} +{{label|ur|کھیل کی جماعت}} | rdfs:subClassOf = Organisation | owl:equivalentClass = schema:SportsTeam, wikidata:Q12973014 -}}OntologyClass:SportsTeamMember2005038468132015-03-21T21:45:39Z{{Class +}}OntologyClass:SportsTeamMember2005038566602022-02-28T09:33:26Z{{Class | labels = {{label|en|Sports team member}} +{{label|fr|membre d'équipe sportive}} +{{label|ur|کھیلوں کی جماعت کا رکن}} {{label|el|μέλος αθλητικής ομάδας}} {{label|nl|sport teamlid}} {{label|de|Sport Team Mitglied}} | comments = {{comment|nl|lid van een athletisch team}} {{comment|en|A member of an athletic team.}} +{{comment|ur|ایتھلیٹک ٹیم کا رکن}} {{comment|el|Μέλος αθλητικής ομάδας.}} | rdfs:subClassOf = OrganisationMember -}}OntologyClass:SportsTeamSeason2005045492712015-10-18T11:41:37Z{{Class +}}OntologyClass:SportsTeamSeason2005045587362022-05-16T18:31:20Z{{Class | labels = {{label|en|sports team season}} {{label|de|Sport Team Saison}} {{label|el|περίοδος αθλητικής ομάδας}} {{label|nl|sport seizoen}} +{{label|ur|کھیلوں کی جماعت کا موسم}} | comments = {{comment|en|A season for a particular sports team (as opposed to the season for the entire league that the team is in)}} {{comment|el|μία περίοδος για μία αθλητική ομάδα }} +{{comment|ur|ایک خاص سپورٹس ٹیم کے لیے ایک موسم(جیسا کہ پوری لیگ کے موسم کے برعکس جس میں ٹیم ہے۔}} | rdfs:subClassOf = SportsSeason -}}OntologyClass:Spreadsheet20012221533802018-10-19T10:24:20Z{{Class +}}OntologyClass:Spreadsheet20012221567462022-02-28T16:18:19Z{{Class | labels = -{{label|en|Spreadsheet}} -{{label|ru|Электронная таблица}} - -}}OntologyClass:Square2009406510852016-05-14T15:20:31Z{{Class + {{label|en|Spreadsheet}} + {{label|ru|Электронная таблица}} + {{label|ur|سپریڈ شیٹ}} + {{label|fr|tableur}} +|comments= + {{comment|ur|مرتب و شمار یا معلومات کو کام میں لانےوالاایک کمپیوٹر پروگرام}} + {{comment|fr|Programme informatique qui utilise des statistiques ou des informations}} +}}OntologyClass:Spy20013565565232022-02-17T12:02:27Z{{Class +| labels = + {{label|en|Spy}} + {{label|eu|espioi}} + {{label|da|spion}} + {{label|fr|espionner}} + {{label|hi|जासूस}} + {{label|ar|جاسوس}} + {{label|ur|جاسوس}} +| rdfs:subClassOf = Person +}}OntologyClass:Square2009406565252022-02-17T12:21:55Z{{Class | labels = {{label|en|square}} {{label|ga|cearnóg}} @@ -7961,19 +9394,23 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|fr|place}} {{label|nl|plein}} {{label|ja|正方形}} +{{label|ur|چوکور}} | rdfs:subClassOf = ArchitecturalStructure | owl:equivalentClass = wikidata:Q174782 -}}OntologyClass:SquashPlayer2007321463532015-03-18T17:55:56Z{{Class -| labels = {{label|en|squash player}} -{{label|de|Squashspieler}} -{{label|it|giocatore di squash}} -{{label|nl|squasher}} -{{label|ko|스쿼시 선수}} +}}OntologyClass:SquashPlayer2007321573172022-03-30T15:29:26Z{{Class +| labels = + {{label|en|squash player}} + {{label|fr|joueur de squash}} + {{label|de|Squashspieler}} + {{label|it|giocatore di squash}} + {{label|nl|squasher}} + {{label|ko|스쿼시 선수}} | rdfs:subClassOf = Athlete | owl:equivalentClass = wikidata:Q16278103 -}}OntologyClass:Stadium200473528262018-02-08T20:05:47Z{{Class +}}OntologyClass:Stadium200473568352022-03-01T07:53:57Z{{Class | labels = {{label|en|stadium}} +{{label|ur|معروف کھیلوں کے لیے مَخصُوص جگہ}} {{label|ga|staidiam}} {{label|el|στάδιο}} {{label|fr|stade}} @@ -7983,15 +9420,19 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl|stadion}} | rdfs:subClassOf = Venue, schema:StadiumOrArena | owl:equivalentClass = -}}OntologyClass:Standard20011244509272016-04-22T07:58:44Z{{Class +}}OntologyClass:Standard20011244567072022-02-28T13:24:28Z{{Class | labels= {{label|en|standard}} +{{label|fr|standard}} {{label|nl|standaard}} {{label|ja|規格}} +{{label|ur|معیاری}} | comments= {{comment|en|a common specification}} +{{comment|fr|une spécification commune}} +{{comment|ur|ایک عام تفصیل}} | rdfs:subClassOf = TopicalConcept -}}OntologyClass:Star2006356481792015-05-25T15:19:03Z{{Class +}}OntologyClass:Star2006356552082021-09-10T18:06:21Z{{Class | labels = {{label|it|stella}} {{label|en|star}} @@ -8002,14 +9443,16 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl|ster}} {{label|ja|恒星}} {{label|ko|항성}} +{{label|ur|ستارہ}} | rdfs:subClassOf = CelestialBody -}}OntologyClass:StarCluster20012274535082018-12-19T09:39:44Z{{Class +}}OntologyClass:StarCluster20012274568382022-03-01T08:02:08Z{{Class |labels= {{label|en|Star сluster}} +{{label|ur|ستارہ غول}} {{label|ru|Звездное скопление}} | owl:disjointWith = Person | rdfs:subClassOf = owl:Thing -}}OntologyClass:State2007030519512017-02-27T10:45:50Z{{Class +}}OntologyClass:State2007030565772022-02-18T04:03:35Z{{Class | labels = {{label|en|state}} {{label|el|πολιτεία}} @@ -8017,21 +9460,27 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|fr|état}} {{label|nl|staat}} {{label|ja|州}} +{{label|ur|ریاست}} | rdfs:subClassOf = PopulatedPlace | owl:equivalentClass = wikidata:Q7275 -}}OntologyClass:StatedResolution2009126458072015-03-14T11:54:44Z{{Class +}}OntologyClass:StatedResolution2009126588492022-06-20T13:06:28Z{{Class | labels = -{{label|en|Stated Resolution}} -{{label|de|Angenommen Beschluß}} -{{label|nl|Aangenomen Besluit}} + {{label|en|Stated Resolution}} +{{label|ur|ریاستی قرارداد}} + {{label|fr|Résolution adoptée}} + {{label|de|Angenommen Beschluß}} + {{label|nl|Aangenomen Besluit}} | comments = -{{comment|en|A Resolution describes a formal statement adopted by a meeting or convention.}} -{{comment|nl|Een Besluit of Verklaring beschrijft een formeel besluit of formele aanbeveling aangenomen door een vergadering.}} + {{comment|en|A Resolution describes a formal statement adopted by a meeting or convention.}} +{{comment|ur|ایک قرارداد میٹنگ یا کنونشن کے ذریعہ اختیار کردہ ایک رسمی بیان کی وضاحت کرتی ہے}} + {{comment|fr|Une résolution décrit une déclaration officielle adoptée par une réunion ou une convention.}} + {{comment|nl|Een Besluit of Verklaring beschrijft een formeel besluit of formele aanbeveling aangenomen door een vergadering.}} | rdfs:subClassOf = WrittenWork -}}OntologyClass:Station200474481802015-05-25T15:19:08Z{{Class +}}OntologyClass:Station200474568422022-03-01T08:15:12Z{{Class | labels = {{label|en|station}} {{label|ga|stáisiún}} +{{label|ur|اڈا}} {{label|de|Bahnhof}} {{label|fr|gare}} {{label|el|Σταθμός}} @@ -8043,9 +9492,11 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:subClassOf = Infrastructure | comments = {{comment|en|Public transport station (eg. railway station, metro station, bus station).}} +{{comment|ur|پبلک ٹرانسپورٹ اسٹیشن (مثلاً ریلوے اسٹیشن، میٹرو اسٹیشن، بس اسٹیشن)}} + {{comment|ru|Остановка общественного транспорта (например: железнодорожная станция, станция метро, автостанция).}} | owl:equivalentClass = wikidata:Q719456 -}}OntologyClass:Statistic2007871510842016-05-14T15:20:08Z{{Class +}}OntologyClass:Statistic2007871565792022-02-18T04:05:46Z{{Class | labels = {{label|en|statistic}} {{label|ga|staitistic}} @@ -8053,6 +9504,7 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|fr|statistique}} {{label|nl|statistisch}} {{label|el|στατιστική}} +{{label|ur|شماریات}} | owl:equivalentClass = wikidata:Q1949963 }}OntologyClass:StillImage2009566511612016-06-06T12:44:28Z{{Class | labels = @@ -8063,15 +9515,17 @@ A hormone is any member of a class of signaling molecules produced by glands in | comments = {{comment|en|A visual document that is not intended to be animated; equivalent to http://purl.org/dc/dcmitype/StillImage}} | rdfs:subClassOf = Image -}}OntologyClass:StormSurge20010199458112015-03-14T12:06:02Z{{Class +}}OntologyClass:StormSurge20010199568452022-03-01T08:26:40Z{{Class | labels = {{label|en|storm surge}} +{{label|ur|طوفانی لہر}} {{label|de|Sturmflut}} {{label|nl|stormvloed}} | rdfs:subClassOf = NaturalEvent | comments = {{comment|nl|Een stormvloed is de grootschalige overstroming van een kustgebied onder invloed van de op elkaar inwerkende krachten van wind, getij en water}} -}}OntologyClass:Stream200448498462015-12-17T20:13:25Z{{Class +{{comment|ur|64-72 ناٹس (بیفورٹ اسکیل پر 11) اور بارش اور گرج چمک کے ساتھ ایک پرتشدد موسمی صورتحال}} +}}OntologyClass:Stream200448555832021-09-15T08:28:22Z{{Class | labels = {{label|en|stream}} {{label|ga|sruthán}} @@ -8079,11 +9533,15 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|fr|ruisseau}} {{label|it|ruscello}} {{label|de|Bach}} +{{label|ur| +ندی}} {{label|pt|curso d’água}} {{label|ja|河川}} {{label|nl|stroom}} | comments = {{comment|en|a flowing body of water with a current, confined within a bed and stream banks}} +{{comment|ur|پانی کا بہتا ہوا کرنٹ ، ایک بستر اور ندی کے کناروں میں محدود ہے۔ +}} | rdfs:subClassOf = BodyOfWater | specificProperties = {{SpecificProperty | ontologyProperty = discharge | unit = cubicMetrePerSecond }} {{SpecificProperty | ontologyProperty = minimumDischarge | unit = cubicMetrePerSecond }} @@ -8104,30 +9562,36 @@ A hormone is any member of a class of signaling molecules produced by glands in {{comment|en|A 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.}} | rdfs:subClassOf = PopulatedPlace | owl:equivalentClass = wikidata:Q79007 -}}OntologyClass:SubMunicipality2006569488142015-09-08T15:38:22Z{{Class +}}OntologyClass:SubMunicipality2006569568472022-03-01T08:33:42Z{{Class | labels = {{label|en|borough}} +{{label|ur|ذیلی بلدیہ}} {{label|de|Teilgemeinde}} {{label|gl|parroquia}} {{label|nl|deelgemeente}} | comments = {{comment|en|An administrative body governing a territorial unity on the lowest level, administering part of a municipality}} +{{comment|ur|ایک انتظامی ادارہ جو ایک علاقائی اتحاد کو نچلی سطح پر چلاتا ہے، بلدیہ کے حصے کا انتظام کرتا ہے}} | rdfs:subClassOf = GovernmentalAdministrativeRegion | owl:equivalentClass = -}}OntologyClass:SumoWrestler2006225331712014-03-28T15:49:48Z{{Class +}}OntologyClass:SumoWrestler2006225566662022-02-28T09:46:21Z{{Class | labels = {{label|en|sumo wrestler}} {{label|de|Sumo-Ringer}} +{{label|fr|lutteur de sumo}} {{label|nl|sumoworstelaar}} +{{label|ur|سومو پہلوان}} | rdfs:subClassOf = Wrestler -}}OntologyClass:SupremeCourtOfTheUnitedStatesCase200475470942015-03-23T14:57:03Z{{Class +}}OntologyClass:SupremeCourtOfTheUnitedStatesCase200475590342022-06-21T17:23:43Z{{Class | labels = {{label|en|Supreme Court of the United States case}} {{label|de|Fall Oberster Gerichtshof der Vereinigten}} +{{label|ur|ریاستہائے متحدہ کی سپریم کورٹ کیس}} {{label|fr|cas juridique de la Cour suprême des États-Unis}} | rdfs:subClassOf = LegalCase -}}OntologyClass:Surfer2007832484622015-07-09T05:44:50Z{{Class +}}OntologyClass:Surfer2007832568492022-03-01T08:38:30Z{{Class | labels = {{label|en|surfer}} +{{label|ur|موج تختہ پر سوار ہونے والا}} {{label|ga|surfálaí}} {{label|el|σέρφερ}} {{label|de|Surfer}} @@ -8135,7 +9599,7 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|サーファー}} | rdfs:subClassOf = Athlete | owl:equivalentClass = wikidata:Q13561328 -}}OntologyClass:Surname2004130481822015-05-25T15:19:18Z{{Class +}}OntologyClass:Surname2004130565812022-02-18T04:08:58Z{{Class | labels = {{label|en|surname}} {{label|ga|sloinne}} @@ -8147,20 +9611,25 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|家}} {{label|ko|성씨}} {{label|nl|achternaam}} +{{label|ur|عرفیت}} + +|comments= +{{comment|ur|خاندانی نام}} | rdfs:subClassOf = Name -}}OntologyClass:Swarm2006133509482016-04-26T03:30:51Z{{Class -| labels = -{{label|en|Swarm}} +}}OntologyClass:Swarm20013514559102021-09-18T04:51:38Z OntologyClass:Swarm +{{Class +| labels = {{label|en|Swarm}} {{label|de|schwarm}} -{{label|it|stormo}} -{{label|el|Σμήνος}} -{{label|nl|zwerm}} -{{label|ja|群れ}} -| rdfs:subClassOf = CelestialBody -}}OntologyClass:Swimmer2005157481832015-05-25T15:19:34Z{{Class + {{label|it|stormo}} + {{label|el|Σμήνος}} + {{label|nl|zwerm}} + {{label|ja|群れ}} +{{label|ur|غول}} + | rdfs:subClassOf = CelestialBody }}OntologyClass:Swimmer2005157568512022-03-01T08:42:56Z{{Class |labels= {{label|fr|nageur}} {{label|en|swimmer}} +{{label|ur|تیراک}} {{label|ga|snámhaí}} {{label|de|Schwimmer}} {{label|it|nuotatore}} @@ -8173,10 +9642,11 @@ A hormone is any member of a class of signaling molecules produced by glands in | comments = {{comment|en|a trained athlete who participates in swimming meets}} +{{comment|ur|ایک تربیت یافتہ کھلاڑی جو تیراکی کے مقابلوں میں حصہ لیتا ہے}} {{comment|el|ένας εκπαιδευμένος αθλητής που συμμετέχει σε συναντήσεις κολύμβησης}} |rdfs:subClassOf=Athlete | owl:equivalentClass = wikidata:Q10843402 -}}OntologyClass:Synagogue2006701509492016-04-26T03:32:04Z{{Class +}}OntologyClass:Synagogue2006701565862022-02-18T04:17:43Z{{Class | labels = {{label|en|synagogue}} {{label|de|Synagoge}} @@ -8187,10 +9657,12 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ga|sionagóg}} {{label|pl|synagoga}} {{label|ja|シナゴーグ}} +{{label|ur|یہودیوں کی عبادت گاہ}} | comments = {{comment|en|A synagogue, sometimes spelt synagog, is a Jewish or Samaritan house of prayer.<ref>http://en.wikipedia.org/wiki/Synagogue</ref>}} {{comment|fr|Une synagogue est un lieu de culte juif.<ref>http://fr.wikipedia.org/wiki/Synagogue</ref>}} +{{comment|ur|یہودیوں کی عبادت گاہ، ایک یہودی یا سامری نماز کا گھر ہے۔}} | rdfs:subClassOf = ReligiousBuilding | owl:equivalentClass = wikidata:Q34627 }} @@ -8208,25 +9680,31 @@ A hormone is any member of a class of signaling molecules produced by glands in | comments= {{comment|en|a system of legislation, either national or international}} | specificProperties = -}}OntologyClass:TableTennisPlayer2006235503952016-03-04T06:04:21Z{{Class +}}OntologyClass:TableTennisPlayer2006235583362022-05-13T18:11:21Z{{Class | labels = {{label|en|table tennis player}} +{{label|ur|ٹیبل ٹینس کا کھلاڑی}} {{label|ga|imreoir leadóg bhoird}} +{{label|fr|joueur de ping-pong}} {{label|de|Tischtennisspieler}} {{label|el|παίκτης πινγκ-πονγκ}} {{label|nl| tafeltennisser}} {{label|ko| 탁구 선수}} {{label|ja|卓球選手}} | comments = {{comment|en|Athlete who plays table tennis}} +{{comment|ur|کھلاڑی جو ٹیبل ٹینس کھیلتا ہے}} {{comment|el|O αθλητής που παίζει πινγκ-πονγκ}} +{{comment|fr|Athlète qui joue du tennis de table}} | rdfs:subClassOf = Athlete | owl:equivalentClass = wikidata:Q13382519 -}}OntologyClass:Tank20012211533682018-10-19T09:36:40Z{{Class +}}OntologyClass:Tank20012211582652022-05-13T11:16:04Z{{Class | labels = {{label|en|Tank}} +{{label|ur|حوض}} {{label|ru|Танк}} -}}OntologyClass:Tax2004763528442018-02-08T20:32:52Z{{Class +}}OntologyClass:Tax2004763582892022-05-13T14:15:52Z{{Class | labels = {{label|en|tax}} +{{label|ur|محصول}} {{label|ga|cáin}} {{label|fr|taxe}} {{label|de|Steuer}} @@ -8236,22 +9714,27 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|租税}} | rdfs:subClassOf = TopicalConcept | owl:equivalentClass = wikidata:Q8161 -}}OntologyClass:Taxon2009308503962016-03-04T06:05:08Z{{Class +}}OntologyClass:Taxon2009308583552022-05-14T10:02:35Z{{Class | labels= {{label|en|taxonomic group}} +{{label|ur|نسل یا خاندان}} +{{label|fr|groupe taxonomique}} {{label|de|taxonomische Gruppe}} {{label|el|ταξονομική ομάδα}} {{label|nl|taxon}} {{label|ja|タクソン}} | comments= {{comment|en|a category within a classification system for Species}} +{{comment|ur|پرجاتیوں کے لیے درجہ بندی کے نظام کے اندر ایک زمرہ}} +{{comment|fr|catégorie dans un système de classification d'espèces}} {{comment|nl|categorie binnen een classificatiesysteem voor plant- en diersoorten}} | rdfs:subClassOf = TopicalConcept | specificProperties = | owl:equivalentClass = wikidata:Q16521 -}}OntologyClass:TeamMember2005022503972016-03-04T06:19:56Z{{Class +}}OntologyClass:TeamMember2005022582672022-05-13T11:19:47Z{{Class | labels = {{label|en|Team member}} +{{label|ur|ٹیم کے رکن}} {{label|fr|coéquipier}} {{label|de|Teammitglied}} {{label|el|Μέλος ομάδας}} @@ -8259,28 +9742,36 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|チームメンバー}} |comments= {{comment|en|A member of an athletic team.}} +{{comment|ur|ایتھلیٹک ٹیم کا رکن}} {{comment|el|Ένα μέλος μιας αθλητικής ομάδας.}} | rdfs:subClassOf = Athlete -}}OntologyClass:TeamSport20011516518792017-01-26T16:13:22Z{{Class +}}OntologyClass:TeamSport20011516582912022-05-13T14:21:36Z{{Class | labels = {{label|en|team sport}} + {{label|ur|جماعتی کھیل}} + {{label|fr|sport d'équipe}} {{label|nl|teamsport}} {{label|ja|チームスポーツ}} |comments = {{comment|en|A team sport is commonly defined as a sport that is being played by competing teams}} +{{comment|ur|ایک ٹیم کے کھیل کو عام طور پر ایک کھیل کے طور پر بیان کیا جاتا ہے جو مسابقتی ٹیموں کے ذریعہ کھیلا جاتا ہے}} + {{comment|fr|Un sport d'équipe est défini communément comme un sport pratiqué par des équipes en compétition}} | rdfs:subClassOf = Sport | owl:equivalentClass = wikidata:Q216048 -}}OntologyClass:TelevisionDirector2009430503992016-03-04T06:20:49Z{{Class +}}OntologyClass:TelevisionDirector2009430583592022-05-14T10:15:03Z{{Class | labels = {{label|en|Television director}} +{{label|ur|ٹی وی کا ہدایت کار}} {{label|fr|réalisateur de télévision}} {{label|nl|tv-regisseur}} {{label|de|TV-Regisseur}} {{label|ja|TVディレクター}} | comments = {{comment|en|a person who directs the activities involved in making a television program.}} +{{comment|ur|ایک شخص جو ٹیلی ویژن پروگرام بنانے میں شامل سرگرمیوں کی ہدایت کرتا ہے}} | rdfs:subClassOf = Person -}}OntologyClass:TelevisionEpisode200476504072016-03-04T06:33:41Z{{Class +}}OntologyClass:TelevisionEpisode200476582702022-05-13T11:25:08Z{{Class | labels = {{label|en|television episode}} +{{label|ur|ٹی وی کی قسط}} {{label|ga|eagrán de chlár teilifíse}} {{label|de|Fernsehfolge}} {{label|el|επεισόδιο τηλεόρασης}} @@ -8291,11 +9782,13 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|テレビ放送回}} | comments = {{comment|en|A television episode is a part of serial television program. }} +{{comment|ur|ٹیلی ویژن ایپی سوڈ سیریل ٹیلی ویژن پروگرام کا ایک حصہ ہے }} | rdfs:subClassOf = Work | owl:equivalentClass = schema:TVEpisode -}}OntologyClass:TelevisionHost2006209504062016-03-04T06:32:11Z{{Class +}}OntologyClass:TelevisionHost2006209582932022-05-13T14:37:49Z{{Class | labels = {{label|en|television host}} +{{label|ur|ٹی وی مزبان}} {{label|ga|láithreoir teilifíse}} {{label|el|παρουσιαστής τηλεοπτικής εκπομπής}} {{label|de|Fernsehmoderator}} @@ -8305,15 +9798,16 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|テレビ番組司会者}} | rdfs:subClassOf = Presenter | owl:equivalentClass = wikidata:Q947873 -}}OntologyClass:TelevisionSeason2005099471132015-03-23T15:52:43Z{{Class +}}OntologyClass:TelevisionSeason2005099583612022-05-14T10:36:46Z{{Class | labels = {{label|en|television season}} +{{label|ur|ٹی وی ڈرامہ}} {{label|el|τηλεοπτική σεζόν}} {{label|de|Fernsehstaffel}} {{label|nl|televisie seizoen}} {{label|ko|텔레비전 시즌}} | rdfs:subClassOf = Work -}}OntologyClass:TelevisionShow200477535422019-06-28T18:25:55Z{{Class +}}OntologyClass:TelevisionShow200477582732022-05-13T11:32:51Z{{Class | rdfs:label@en = television show | rdfs:label@ar = معلومات تلفاز | rdfs:label@ga = clár teilifíse @@ -8324,11 +9818,13 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@ja = テレビ番組 | rdfs:label@nl = televisie show | rdfs:label@es = serie de televisión +| labels = {{label|ur|ٹی وی شو}} | rdfs:subClassOf = Work | owl:equivalentClass = wikidata:Q15416 -}}OntologyClass:TelevisionStation2003015481862015-05-25T15:19:48Z{{Class +}}OntologyClass:TelevisionStation2003015582962022-05-13T15:37:18Z{{Class | labels = {{label|en|television station}} +{{label|ur|ٹیلی ویژن مرکز}} {{label|ga|stáisiún teilifíse}} {{label|el|τηλεοπτικός σταθμός}} {{label|de|Fernsehsender}} @@ -8341,11 +9837,13 @@ A hormone is any member of a class of signaling molecules produced by glands in | owl:equivalentClass = schema:TelevisionStation | comments = {{comment|en|A 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.}} +{{comment|ur|ایک ٹیلی ویژن اسٹیشن عام طور پر ایک لائن اپ ہوتا ہے۔ مثال کے طور پر ٹیلی ویژن اسٹیشن WABC-TV (یا ABC 7، چینل 7)۔ براڈکاسٹنگ نیٹ ورک ABC کے ساتھ الجھن میں نہ پڑیں، جس میں بہت سے ٹیلی ویژن اسٹیشن ہیں}} {{comment|el|Ένας τηλεοπτικός σταθμός έχει μια παράταξη.Για παράδειγμα ο τηλεοπτικός σταθμός WABC-TV (or ABC 7, Channel 7).Δεν πρέπει να συγχέεται με το τηλεοπτικό δίκτυο ABC,που έχει πολλούς τηλεοπτικούς σταθμούς.}} {{comment|de|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.}} -}}OntologyClass:Temple2006663483192015-05-25T15:32:44Z{{Class +}}OntologyClass:Temple2006663583632022-05-14T10:42:34Z{{Class | labels= {{label|en|temple}} +{{label|ur|مندر}} {{label|ga|teampall}} {{label|fr|temple}} {{label|de|tempel}} @@ -8355,9 +9853,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl|tempel}} | rdfs:subClassOf = ReligiousBuilding | owl:equivalentClass = -}}OntologyClass:TennisLeague2002186504002016-03-04T06:21:42Z{{Class +}}OntologyClass:TennisLeague2002186582752022-05-13T11:45:07Z{{Class | labels = {{label|en|tennis league}} +{{label|ur|ٹینس کی انجمن}} {{label|ga|sraith leadóige}} {{label|de|Tennisliga}} {{label|el|Ομοσπονδία Αντισφαίρισης}} @@ -8366,10 +9865,12 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|テニスリーグ}} | comments = {{comment|en|A group of sports teams or person that compete against each other in tennis.}} +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروپ یا شخص جو ٹینس میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں}} | rdfs:subClassOf = SportsLeague -}}OntologyClass:TennisPlayer200478504012016-03-04T06:22:00Z{{Class +}}OntologyClass:TennisPlayer200478582992022-05-13T15:40:39Z{{Class | labels = {{label|en|tennis player}} +{{label|ur|ٹینس کا کھلاڑی}} {{label|ga|imreoir leadóige}} {{label|de|Tennisspieler}} {{label|nl|tennisser}} @@ -8380,9 +9881,11 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|テニス選手}} | rdfs:subClassOf = Athlete | owl:equivalentClass = wikidata:Q10833314 -}}OntologyClass:TennisTournament2005773504022016-03-04T06:22:27Z{{Class +}}OntologyClass:TennisTournament2005773583652022-05-14T10:47:47Z{{Class | labels = {{label|en|tennis tournament}} +{{label|ur|ٹینس کا باہمی مقابلہ}} +{{label|fr|tournoi de tennis}} {{label|ga|comórtas leadóige}} {{label|de|Tennisturnier}} {{label|nl|tennis toernooi}} @@ -8391,36 +9894,42 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|テニストーナメント}} | rdfs:subClassOf = Tournament | owl:equivalentClass = wikidata:Q13219666 -}}OntologyClass:Tenure20011942527082017-12-27T14:22:37Z{{Class +}}OntologyClass:Tenure20011942582772022-05-13T11:47:47Z{{Class |labels= {{label|en|tenure}} +{{label|ur|دور}} {{label|nl|dienstverband}} {{label|de|Amtszeit}} {{label|fr|durée du mandat}} | rdfs:subClassOf = TimePeriod -}}OntologyClass:TermOfOffice2007904511522016-06-06T12:27:31Z{{Class +}}OntologyClass:TermOfOffice2007904583012022-05-13T15:45:25Z{{Class |labels = {{label|en|term of office}} +{{label|ur|دفتر کی مدت}} {{label|de|Amtsdauer}} {{label|fr|mandat}} {{label|nl|ambtstermijn}} | rdfs:subClassOf = Organisation | owl:equivalentClass = wikidata:Q524572 -}}OntologyClass:Territory2007161509502016-04-26T03:33:49Z{{Class +}}OntologyClass:Territory2007161583672022-05-14T11:40:35Z{{Class | labels = {{label|en|territory}} {{label|nl|territorium}} {{label|de|Territorium}} -{{label|fr|territoire}} +{{label|fr|Territoire}} {{label|el|περιοχή}} {{label|ja|国土}} +{{label|ur|ماتحت علاقہ}} | comments = -{{comment|en|A territory may refer to a country subdivision, a non-sovereign geographic region.}} + {{comment|en|A territory may refer to a country subdivision, a non-sovereign geographic region.}} + {{comment|fr|Un territoire peut désigner une subdivision de pays, une région géographique non souveraine.}} + {{comment|ur|ایک ماتحت علاقہ کسی ملک کی ذیلی تقسیم، ایک غیر خودمختار جغرافیائی خطہ کا حوالہ دے سکتا ہے۔}} | rdfs:subClassOf = PopulatedPlace -}}OntologyClass:Theatre2003835481892015-05-25T15:20:02Z{{Class +}}OntologyClass:Theatre2003835582792022-05-13T11:52:07Z{{Class | labels = {{label|en|theatre}} +{{label|ur|تماشا گاہ}} {{label|ga|amharclann}} {{label|fr|théâtre}} {{label|el|θέατρο}} @@ -8430,51 +9939,60 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:subClassOf = Venue | comments = {{comment|en|A 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.}} +{{comment|ur|ایک تھیٹر یا تھیٹر (ایک پلے ہاؤس بھی) ایک ڈھانچہ ہے جہاں تھیٹر کے کام یا ڈرامے پیش کیے جاتے ہیں یا دیگر پرفارمنس جیسے میوزیکل کنسرٹ تیار کیے جا سکتے ہیں}} | owl:equivalentClass = wikidata:Q24354 -}}OntologyClass:TheatreDirector2009436468292015-03-22T07:49:33Z{{Class +}}OntologyClass:TheatreDirector2009436583202022-05-13T17:35:44Z{{Class | labels = {{label|en|Theatre director}} +{{label|ur|تھیٹر ہدایت کار}} {{label|fr|directeur de théâtre}} {{label|nl|theaterdirecteur}} {{label|de|Theaterdirektor}} | comments = {{comment|en|A director in the theatre field who oversees and orchestrates the mounting of a theatre production.}} +{{comment|ur|تھیٹر کے میدان میں ایک ڈائریکٹر جو تھیٹر پروڈکشن کے بڑھتے ہوئے کام کی نگرانی اور آرکیسٹریٹ کرتا ہے}} | rdfs:subClassOf = Person | owl:equivalentClass = wikidata:Q3387717 -}}OntologyClass:TheologicalConcept2009720511592016-06-06T12:39:50Z{{Class +}}OntologyClass:TheologicalConcept2009720575232022-04-24T11:48:15Z{{Class | labels = {{label|en|Theological concept}} {{label|de|Theologisch Konzept}} {{label|fr|concept théologique}} {{label|nl|theologisch concept}} + {{label|ur|مذہبی تصور}} | comments = {{comment|en|Theological concepts, e.g. The apocalypse, Trinty, Stoicism}} +{{comment|ur| مذہبی تصورات، جیسے آسمانی کِتاب تثلیث رواقیت}} | rdfs:subClassOf = TopicalConcept -}}OntologyClass:TimePeriod2005936528472018-02-08T20:34:36Z{{Class +}}OntologyClass:TimePeriod2005936555912021-09-15T08:44:55Z{{Class |labels= {{label|en|time period}} {{label|ga|tréimhse}} {{label|da|tidsperiode}} {{label|de|Zeitraum}} {{label|el|χρονική περίοδος}} +{{label|ur|وقت کی مدت}} {{label|nl|tijdvak}} {{label|fr|période temporelle}} {{label|es|periodo temporal}} | owl:disjointWith = Person | rdfs:subClassOf = dul:TimeInterval -}}OntologyClass:TopLevelDomain20011968525492017-10-26T10:23:39Z{{Class +}}OntologyClass:TopLevelDomain20011968583232022-05-13T17:41:50Z{{Class | labels= {{label|en|top level domain}} +{{label|ur|اوپر سطح کی ڈومین}} {{label|de|top level domain}} {{label|fr|domaine de premier niveau}} | specificProperties = | rdfs:subClassOf = Identifier | owl:equivalentClass = wikidata:Q14296 -}}OntologyClass:TopicalConcept2005115481912015-05-25T15:20:19Z{{Class +}}OntologyClass:TopicalConcept2005115569532022-03-09T08:46:36Z{{Class | labels = -{{label|en|topical concept}} -{{label|ga|coincheap i mbéal an phobail}} -{{label|de|thematisches Konzept}} + {{label|en|topical concept}} + {{label|fr|Concept thématique}} + {{label|ur|موضوع کا تصور}} + {{label|ga|coincheap i mbéal an phobail}} + {{label|de|thematisches Konzept}} | rdfs:subClassOf = owl:Thing | owl:equivalentClass = dul:Concept -}}OntologyClass:Tournament2007566481922015-05-25T15:20:23Z{{Class +}}OntologyClass:Tournament2007566549812021-09-09T11:23:45Z{{Class | labels = {{label|en|tournament}} {{label|ga|comórtas}} @@ -8483,11 +10001,13 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|el|τουρνουά}} {{label|nl|toernooi}} {{label|it|torneo}} +{{label|ur|باہمی مقابلہ}} | rdfs:subClassOf = SportsEvent | owl:equivalentClass = wikidata:Q500834 -}}OntologyClass:Tower2009330526392017-11-03T15:48:36Z{{Class +}}OntologyClass:Tower2009330562482022-02-16T07:50:13Z{{Class | labels = {{label|en|tower}} + {{label|ur|مینار}} {{label|ga|túr}} {{label|de|Turm}} {{label|el|πύργος}} @@ -8496,12 +10016,14 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|塔}} | comments = {{comment|en|A Tower is a kind of structure (not necessarily a building) that is higher than the rest}} +{{comment|ur|مینار ایک قسم کا ڈھانچہ ہے (ضروری نہیں کہ کوئی عمارت) جو باقی سے اونچی ہو}} | rdfs:subClassOf = ArchitecturalStructure | owl:disjointWith = Person | owl:equivalentClass = wikidata:Q12518 -}}OntologyClass:Town2002277517882017-01-03T12:46:14Z{{Class +}}OntologyClass:Town2002277583692022-05-14T11:48:33Z{{Class | labels = {{label|en|town}} +{{label|ur|قصبہ}} {{label|de|Stadt}} {{label|el|πόλη}} {{label|fr|ville}} @@ -8513,30 +10035,37 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:subClassOf = Settlement | comments = {{comment|en|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.}} +{{comment|ur|چند سو سے لے کر کئی ہزار (کبھی کبھار سیکڑوں ہزاروں) تک کی تصفیہ۔ درست معنی ممالک کے درمیان مختلف ہوتے ہیں اور یہ ہمیشہ قانونی تعریف کا معاملہ نہیں ہوتا ہے۔ عام طور پر، ایک قصبہ کو گاؤں سے بڑا لیکن شہر سے چھوٹا سمجھا جاتا ہے، حالانکہ اس اصول میں مستثنیات ہیں}} | owl:equivalentClass = wikidata:Q3957 -}}OntologyClass:TrackList2007162331842014-03-28T15:50:48Z{{Class +}}OntologyClass:TrackList2007162582812022-05-13T12:04:33Z{{Class | labels = {{label|en|track list}} +{{label|ur|موسیقی کے ریکارڈوں کی فہرست}} {{label|de|Titelliste}} {{label|el|λίστα κομματιών}} +{{label|fr|liste de pistes}} {{label|nl|lijst van nummers}} | comments = {{comment|en|A list of music tracks, like on a CD}} +{{comment|ur|میوزک ٹریکس کی فہرست، جیسے سی ڈی پر}} +{{comment|fr|Une liste de pistes audio comme sur un CD}} {{comment|nl|Een lijst van nummers als op een CD album}} | rdfs:subClassOf = List -}}OntologyClass:TradeUnion200479481942015-05-25T15:20:34Z{{Class +}}OntologyClass:TradeUnion200479583292022-05-13T17:51:52Z{{Class | labels = {{label|el|Κουτί πληροφοριών ένωσης}} {{label|en|trade union}} +{{label|ur|مزدوروں کا اتحاد}} {{label|ga|ceardchumann}} {{label|de|Gewerkschaft}} {{label|nl|vakbond}} {{label|fr|syndicat professionnel}} | comments = {{comment|en|A trade union or labor union is an organization of workers who have banded together to achieve common goals such as better working conditions.}} +{{comment|ur|مزدوروں کا اتحاد مزدوروں کی ایک تنظیم ہے جو کام کے بہتر حالات جیسے مشترکہ اہداف کو حاصل کرنے کے لیے اکٹھے ہوئے ہیں}} | rdfs:subClassOf = Organisation | owl:equivalentClass = wikidata:Q178790 -}}OntologyClass:Train2006093523462017-10-10T13:48:47Z{{Class +}}OntologyClass:Train2006093577822022-05-01T11:06:01Z{{Class | labels = {{label|en|train}} {{label|ga|traein}} @@ -8548,16 +10077,19 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|es|tren}} {{label|ja|列車}} {{label|nl|trein}} +{{label|ur|ریل گاڑی}} | rdfs:subClassOf = MeanOfTransportation | owl:equivalentClass = wikidata:Q870 -}}OntologyClass:TrainCarriage20011443495232015-11-14T14:55:26Z{{Class +}}OntologyClass:TrainCarriage20011443582852022-05-13T14:05:26Z{{Class | labels = {{label|en|train carriage}} +{{label|ur|ٹرین کی بوگی}} {{label|nl|treinwagon}} | rdfs:subClassOf = MeanOfTransportation -}}OntologyClass:Tram20011513511452016-06-04T20:11:57Z{{Class +}}OntologyClass:Tram20011513583312022-05-13T17:56:42Z{{Class | labels = {{label|en|tram}} +{{label|ur|ٹرام گاڑی}} {{label|en|streetcar}} {{label|fr|tramway}} {{label|nl|tram}} @@ -8565,35 +10097,40 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|路面電車}} | rdfs:subClassOf = MeanOfTransportation -}}OntologyClass:TramStation20011514511462016-06-04T20:12:29Z{{Class +}}OntologyClass:TramStation20011514583722022-05-14T12:03:49Z{{Class | labels = {{label|en|tram station}} +{{label|ur|ٹرام گاڑی کا اڈا}} {{label|fr|station de tramway}} {{label|nl|tramhalte}} | rdfs:subClassOf = Station | owl:equivalentClass = <http://vocab.org/transit/terms/stop> -}}OntologyClass:Treadmill2006315509532016-04-26T03:36:13Z{{Class +}}OntologyClass:Treadmill2006315582872022-05-13T14:11:47Z{{Class | labels = {{label|el|Μύλος}} {{label|en|Treadmill}} +{{label|ur|ڈھینکلی}} {{label|de|Tretmühle}} {{label|nl|Rosmolen}} {{label|ja|トレッドミル}} | rdfs:subClassOf = Mill | comments = {{comment|en|A mill driven by the tractive power of horses, donkeys or even people}} +{{comment|ur|گھوڑوں، گدھوں یا یہاں تک کہ لوگوں کی کشش طاقت سے چلنے والی چکی}} | owl:equivalentClass = wikidata:Q683267 -}}OntologyClass:Treaty20011534509542016-04-26T03:37:07Z{{Class +}}OntologyClass:Treaty20011534583332022-05-13T17:59:22Z{{Class | labels = {{label|en|treaty}} +{{label|ur|معاہدہ}} {{label|de|Vertrag}} {{label|nl|verdrag}} {{label|fr|traité}} {{label|ja|条約}} | rdfs:subClassOf = WrittenWork -}}OntologyClass:Tunnel2003389479842015-05-25T14:59:02Z{{Class +}}OntologyClass:Tunnel2003389583732022-05-14T12:07:45Z{{Class | labels = {{label|en| tunnel}} +{{label|ur|سرنگ}} {{label|ga|tollán}} {{label|fr| tunnel}} {{label|el|τούνελ}} @@ -8603,15 +10140,17 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ko | 터널}} |comments= {{comment|en| A 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).}} +{{comment|ur| ایک سرنگ پیدل یا گاڑیوں کی سڑک کے لیے، ریل ٹریفک کے لیے، یا نہر کے لیے ہو سکتی ہے۔ کچھ سرنگیں پانی کی کھپت یا ہائیڈرو الیکٹرک اسٹیشنوں کے لیے پانی کی فراہمی کے لیے آبی راستے ہیں یا گٹر ہیں}} {{comment|fr| 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).}} {{comment|de| 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).}} {{comment|el|Ένα τούνελ μπορεί να είναι για πεζούς ή για αυτοκινητόδρομους,για σιδηρόδρομους,ή για κανάλια στο νερό.Μερικά τούνελ είναι υδραγωγεία για να παρέχουν νερό προς κατανάλωση ή για υδροηλεκτικούς σταθμούς ή είναι υπόνομοι.}} | rdfs:subClassOf = ArchitecturalStructure | owl:equivalentClass = wikidata:Q44377 -}}OntologyClass:Type2008253509212016-04-22T07:23:04Z{{Class +}}OntologyClass:Type2008253550002021-09-09T11:57:08Z{{Class | labels= {{label|en|type}} {{label|ga|cineál}} +{{label|ur|قسم}} {{label|el|τύπος}} {{label|fr|régime de classification}} {{label|nl|type}} @@ -8619,32 +10158,40 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|型}} | comments= {{comment|en|a category within a classification system}} +{{comment|ur|درجہ بندی کے نظام میں ایک زمرہ}} {{comment|nl|categorie binnen een classificatiesysteem}} | rdfs:subClassOf = TopicalConcept | specificProperties = -}}OntologyClass:UndergroundJournal20010116458232015-03-14T12:39:39Z{{Class +}}OntologyClass:UndergroundJournal20010116583752022-05-14T12:14:08Z{{Class | labels = {{label|en|underground journal}} +{{label|ur|زیر زمین جریدہ}} {{label|de|Underground Zeitschrift}} {{label|nl|verzetsblad }} | rdfs:subClassOf = PeriodicalLiterature | comments = {{comment|en| An 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. }} +{{comment|ur| ایک زیر زمین جریدہ ہے، اگرچہ وقت گزرنے کے ساتھ ساتھ ہمیشہ قانون کے ذریعہ اشاعتیں ممنوع رہی ہیں، دوسری عالمی جنگ کے دوران جرمنوں کے زیر قبضہ ممالک کا ایک رجحان۔ زیر زمین پریس میں تحریر کا مقصد نازی قبضے کے خلاف مزاحمت کے جذبے کو مضبوط کرنا ہے۔ زیر زمین جرائد کی تقسیم بہت خفیہ ہونی چاہیے تھی اور اس لیے اس کا انحصار غیر قانونی ڈسٹری بیوشن سرکٹس اور قابضین کی طرف سے ظلم و ستم کے خطرات پر تھا}} {{comment|nl| 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.}} -}}OntologyClass:UnitOfWork2006466528542018-02-08T20:42:37Z{{Class +}}OntologyClass:UnitOfWork2006466569122022-03-02T20:01:53Z{{Class | labels = {{label|en|unit of work}} + {{label|fr|unité de travail}} {{label|ga|aonad oibre}} {{label|de|Arbeitseinheit}} {{label|nl|werkeenheid}} + {{label|ur|کام کی اکائی}} | owl:disjointWith = Person | comments = {{comment|en|This 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.}} + {{comment|fr|Cette classe est destinée à transmettre la notion de quantité de travail à faire. Elle est différente de l'activité en ce qu'elle a une fin définie et qu'elle est mesurée.}} + {{comment|ur|اس کلاس کا مقصد کام کی مقدار کو سمجھانا ہے۔ یہ سرگرمی سے مختلف ہے کہ اس کا ایک حتمی اختتام ہے اور اسے ناپا جا رہا ہے۔}} | rdfs:subClassOf = owl:Thing | owl:equivalentClass = -}}OntologyClass:University200480528142018-02-08T19:54:04Z{{Class +}}OntologyClass:University200480583782022-05-14T12:19:58Z{{Class | labels = {{label|en|university}} +{{label|ur|جامع درس گاہ}} {{label|de|Universität}} {{label|el|πανεπιστήμιο}} {{label|es|universidad}} @@ -8657,9 +10204,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|pt|universidade}} | rdfs:subClassOf = EducationalInstitution, schema:CollegeOrUniversity | owl:equivalentClass = wikidata:Q3918 -}}OntologyClass:Unknown2004894528482018-02-08T20:35:57Z{{Class +}}OntologyClass:Unknown2004894583802022-05-14T12:23:12Z{{Class | labels = {{label|en|Unknown}} +{{label|ur|نامعلوم}} {{label|ga|anaithnid}} {{label|de|unbekannt}} {{label|el|άγνωστος}} @@ -8669,19 +10217,32 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|無知}} | rdfs:subClassOf = owl:Thing | owl:equivalentClass = -}}OntologyClass:Vaccine20011917527072017-12-27T14:20:51Z{{Class +}}OntologyClass:VaccinationStatistics20013112584222022-05-14T15:42:40Z{{Class +| labels = +{{label|en|Vaccination Statistics}} +{{label|ur|ویکسینیشن کے اعدادوشمار}} +{{label|fr|statistiques de vaccination}} +| comments = +{{comment|en|Statistics related to the COVID-19 vaccination world progress‎}} +{{comment|ur|COVID-19 ویکسینیشن کی عالمی پیشرفت سے متعلق اعدادوشمار‎}} +{{comment|fr|Statistiques relatives à la progression mondiale de la vaccination contre le COVID-19‎}} +| rdfs:subClassOf = Drug +}}OntologyClass:Vaccine20011917583822022-05-14T12:35:39Z{{Class | labels = {{label|de|Impfstoff}} {{label|en|vaccine}} +{{label|ur|ویکسین}} {{label|fr|vaccin}} {{label|nl|vaccin}} | comments = {{comment|en|Drugs that are a vaccine‎}} +{{comment|ur|وہ دوائیں جو ایک ویکسین ہیں‎}} {{comment|de|Medikamente welche Impfstoffe sind}} | rdfs:subClassOf = Drug -}}OntologyClass:Valley2002268498592015-12-17T20:38:31Z{{Class +}}OntologyClass:Valley2002268583992022-05-14T14:15:36Z{{Class | labels = {{label|en|valley}} +{{label|ur|وادی}} {{label|ga|gleann}} {{label|de|tal}} {{label|it|valle}} @@ -8692,11 +10253,13 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl|vallei}} | comments = {{comment|en|a depression with predominant extent in one direction}} +{{comment|ur|پہاڑیوں یا پہاڑوں کے درمیان زمین کا ایک نچلا علاقہ، عام طور پر اس میں سے دریا یا ندی بہتی ہے}} | rdfs:subClassOf = NaturalPlace | owl:equivalentClass = wikidata:Q39816 -}}OntologyClass:Vein200481479852015-05-25T14:59:06Z{{Class +}}OntologyClass:Vein200481584372022-05-14T16:56:40Z{{Class | labels = {{label|en|vein}} +{{label|ur|رگ}} {{label|ga|féith}} {{label|el|φλέβα}} {{label|de|Vene}} @@ -8706,7 +10269,7 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl|ader}} | rdfs:subClassOf = AnatomicalStructure | owl:equivalentClass = wikidata:Q9609 -}}OntologyClass:Venue2007347526142017-10-31T13:45:29Z{{Class +}}OntologyClass:Venue2007347553352021-09-11T18:23:45Z{{Class | labels = {{label|en|venue}} {{label|ga|ionad}} @@ -8714,19 +10277,22 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|el|τόπος συνάντησης}} {{label|fr|lieu}} {{label|ko|경기장}} +{{label|ur|پنڈال}} | rdfs:subClassOf = Building -}}OntologyClass:Vicar2008169483222015-05-25T15:32:59Z{{Class +}}OntologyClass:Vicar2008169584012022-05-14T14:19:17Z{{Class | labels = {{label|en|vicar}} +{{label|ur|حلقہ کا پادری}} {{label|ga|biocáire}} {{label|el|ιεροκήρυκας}} {{label|nl|predikant}} {{label|fr|pasteur}} {{label|de|Pfarrer}} | rdfs:subClassOf = Cleric -}}OntologyClass:VicePresident2001560483232015-05-25T15:33:03Z{{Class +}}OntologyClass:VicePresident2001560584392022-05-14T17:00:15Z{{Class | labels = {{label|en|vice president}} +{{label|ur|نائب صدر}} {{label|ga|leasuachtarán}} {{label|el|αντιπρόεδρος}} {{label|de|Vizepräsident}} @@ -8734,17 +10300,18 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl|vice president}} | rdfs:subClassOf = Politician | owl:equivalentClass = wikidata:Q42178 -}}OntologyClass:VicePrimeMinister2002326468252015-03-21T22:11:06Z{{Class +}}OntologyClass:VicePrimeMinister2002326583882022-05-14T13:27:48Z{{Class | labels = {{label|en|vice prime minister}} -{{label|de|Vizeministerpräsident}} +{{label|ur|نائب وزیر اعظم}} {{label|el|αντιπρωθυπουργός}} {{label|fr|vice premier ministre}} {{label|nl|vicepremier}} | rdfs:subClassOf = Politician -}}OntologyClass:VideoGame200482521222017-06-19T11:11:28Z{{Class +}}OntologyClass:VideoGame200482584062022-05-14T14:36:32Z{{Class | labels = {{label|en|video game}} +{{label|ur|بصری کھیل}} {{label|ga|físchluiche}} {{label|da|computerspil}} {{label|de|Videospiel}} @@ -8757,22 +10324,26 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|テレビゲーム}} | comments = {{comment|en|A video game is an electronic game that involves interaction with a user interface to generate visual feedback on a video device.}} +{{comment|ur|بصری کھیل ایک الیکٹرانک گیم ہے جس میں ویڈیو ڈیوائس پر بصری تاثرات پیدا کرنے کے لیے صارف کے انٹرفیس کے ساتھ تعامل شامل ہوتا ہے}} | rdfs:subClassOf = Software | owl:equivalentClass = wikidata:Q7889 -}}OntologyClass:VideogamesLeague2002187479412015-05-25T14:54:35Z{{Class +}}OntologyClass:VideogamesLeague2002187584422022-05-14T17:08:14Z{{Class | labels = {{label|en|videogames league}} +{{label|ur|بصری کھیلوں کی انجمن}} {{label|ga|sraith físchluichí}} {{label|el|πρωτάθλημα βιντεοπαιχνιδιών}} {{label|de|Videospiele-Liga}} {{label|fr|ligue de jeux vidéo}} | comments = {{comment|en|A group of sports teams or person that compete against each other in videogames.}} +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروپ یا شخص جو بصری کھیلوں میں ایک دوسرے سے مقابلہ کرتا ہے}} {{comment|el|Ένα σύνολο ομάδων ή ατόμων που ανταγωνίζονται σε ηλεκτρονικά παιχνίδια.}} | rdfs:subClassOf = SportsLeague -}}OntologyClass:Village2002278517842017-01-03T12:17:16Z{{Class +}}OntologyClass:Village2002278583902022-05-14T13:34:52Z{{Class | labels = {{label|en|village}} +{{label|ur|گاؤں}} {{label|ga|sráidbhaile}} {{label|el|χωριό}} {{label|fr|village}} @@ -8785,29 +10356,33 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|hi|गाँव}} | comments = {{comment|en|a clustered human settlement or community, usually smaller a town}} +{{comment|ur|ایک انسانی بستی یا برادری کا جھنڈ ، عام طور پر ایک چھوٹا قصبہ}} {{comment|gl|Núcleo pequeno de poboación en que se divide unha parroquia, con poucos veciños e de carácter rural.}} | rdfs:subClassOf = Settlement | owl:equivalentClass = wikidata:Q532 -}}OntologyClass:Vodka20010214521202017-06-19T11:09:36Z{{Class +}}OntologyClass:Vodka20010214584112022-05-14T14:57:01Z{{Class |labels= {{label|en|vodka}} +{{label|ur|تیز روسی شراب}} {{label|da|vodka}} {{label|de|Wodka}} {{label|fr|vodka}} {{label|nl|wodka}} | rdfs:subClassOf = Beverage -}}OntologyClass:VoiceActor200483467932015-03-21T20:32:11Z{{Class +}}OntologyClass:VoiceActor200483584702022-05-14T18:34:46Z{{Class | labels = {{label|en|voice actor}} +{{label|ur|آوازکا اداکار}} {{label|de|Synchronsprecher}} {{label|fr|acteur de doublage}} {{label|ko|성우}} {{label|ja|声優}} {{label|nl|stemacteur}} | rdfs:subClassOf = Actor -}}OntologyClass:Volcano2005183498602015-12-17T20:39:06Z{{Class +}}OntologyClass:Volcano2005183583952022-05-14T14:10:36Z{{Class | labels = {{label|en|volcano}} +{{label|ur|آتش فشاں}} {{label|ga|bolcán}} {{label|fr|volcan}} {{label|el|ηφαίστειο}} @@ -8817,55 +10392,65 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|pt|vulcão}} | comments = {{comment|en|A volcano is currently subclass of naturalplace, but it might also be considered a mountain.}} +{{comment|ur|آتش فشاں فی الحال قدرتی جگہ کا ذیلی طبقہ ہے، لیکن اسے پہاڑ بھی سمجھا جا سکتا ہے}} {{comment|el|Το ηφαίστειο είναι υποκατηγορία φυσικών καταστάσεων, αλλά μπορεί επίσης να θεωρηθεί και βουνό.}} | rdfs:subClassOf = NaturalPlace | owl:equivalentClass = wikidata:Q8072 -}}OntologyClass:VolleyballCoach2006116479892015-05-25T14:59:37Z{{Class +}}OntologyClass:VolleyballCoach2006116584132022-05-14T15:01:03Z{{Class | labels = {{label|en|volleyball coach}} +{{label|ur|والی بال کی تربیت کرنے والا}} {{label|ga|traenálaí eitpheile}} {{label|de|Volleyballtrainer}} {{label|el|προπονητής βόλλεϋ}} {{label|it|allenatore di pallavolo}} {{label|nl|volleybalcoach}} | rdfs:subClassOf = Coach -}}OntologyClass:VolleyballLeague2002188467802015-03-21T19:47:06Z{{Class +}}OntologyClass:VolleyballLeague2002188584792022-05-14T18:48:00Z{{Class | labels = {{label|en|volleyball league}} +{{label|ur|والی بال کی انجمن}} {{label|de|Volleyball-Liga}} {{label|el|Ομοσπονδία Πετοσφαίρισης}} {{label|fr|ligue de volleyball}} {{label|nl|volleybal competitie}} | comments = {{comment|en|A group of sports teams that compete against each other in volleyball.}} +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروپ جو والی بال میں ایک دوسرے سے مقابلہ کرتے ہیں}} | rdfs:subClassOf = SportsLeague -}}OntologyClass:VolleyballPlayer2004246467212015-03-21T14:51:52Z{{Class -| labels = -{{label|en|volleyball player}} -{{label|de|Volleyballspieler}} -{{label|el|παίχτης βόλεϊ}} -{{label|pl|siatkarz}} -{{label|nl|volleyballer}} -{{label|ko|배구 선수}} +}}OntologyClass:VolleyballPlayer2004246572952022-03-30T14:21:04Z{{Class +| labels = + {{label|en|volleyball player}} + {{label|fr|joueur de volleyball}} + {{label|de|Volleyballspieler}} + {{label|el|παίχτης βόλεϊ}} + {{label|pl|siatkarz}} + {{label|nl|volleyballer}} + {{label|ko|배구 선수}} + {{label|ur|والی بال کاکھلاڑی}} | rdfs:subClassOf = Athlete | owl:equivalentClass = wikidata:Q15117302 -}}OntologyClass:WaterPoloPlayer2009553467222015-03-21T14:56:15Z{{Class -| labels = -{{label|en|water polo Player}} -{{label|de|Wasserpolo Spieler}} -{{label|nl|waterpoloër}} -{{label|it|giocatore di pallanuoto}} +}}OntologyClass:WaterPoloPlayer2009553585212022-05-14T19:43:39Z{{Class +| labels = + {{label|en|water polo Player}} + {{label|ur|آبی پولوکا کھلاڑی}} + {{label|fr|joueur de water polo}} + {{label|de|Wasserpolo Spieler}} + {{label|nl|waterpoloër}} + {{label|it|giocatore di pallanuoto}} | rdfs:subClassOf = Athlete -}}OntologyClass:WaterRide2008006492782015-10-18T12:09:02Z{{Class +}}OntologyClass:WaterRide2008006586652022-05-15T10:43:17Z{{Class | labels = {{label|en|water ride}} +{{label|ur|پانی کی سواری}} {{label|ga|marcaíocht uisce}} {{label|de|Wasserbahn}} {{label|nl|waterbaan}} | rdfs:subClassOf = AmusementParkAttraction | owl:equivalentClass = wikidata:Q2870166 -}}OntologyClass:WaterTower2006282469662015-03-22T18:28:10Z{{Class +}}OntologyClass:WaterTower2006282584952022-05-14T19:14:48Z{{Class | labels = {{label|en|Water tower}} +{{label|ur|بُرج آب}} {{label|el|πύργος νερού}} {{label|de|Wasserturm}} {{label|it|Serbatoio idrico a torre}} @@ -8875,13 +10460,15 @@ A hormone is any member of a class of signaling molecules produced by glands in | comments = {{comment|el| μια κατασκευή σχεδιασμένη για αποθήκευση μεγάλων ποσοτήτων νερού σε μέρος με κάποια ανύψωση, ώστε να διατηρήσει πίεση στο σύστημα παροχής νερού}} {{comment|en|a construction designed to store larger quantities of water at a place of some elevation in order to keep pressure on the water provision system}} +{{comment|ur| پانی کی فراہمی کے نظام پر دباؤ برقرار رکھنے کے لیے کچھ بلندی کی جگہ پر پانی کی بڑی مقدار کو ذخیرہ کرنے کے لیے ڈیزائن کیا گیا ایک تعمیر}} {{comment|fr|une 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}} | owl:equivalentClass = wikidata:Q274153 -}}OntologyClass:Watermill2006010509562016-04-26T03:42:28Z{{Class +}}OntologyClass:Watermill2006010586362022-05-15T10:13:23Z{{Class | labels = {{label|el|Νερόμυλος}} {{label|fr|Moulin à eau}} {{label|en|Watermill}} +{{label|ur|پن چکی}} {{label|ga|muileann uisce}} {{label|de|Wassermühle}} {{label|it|mulino ad acqua}} @@ -8889,19 +10476,22 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|水車小屋}} | rdfs:subClassOf = Mill | comments = +{{comment|ur|واٹر مل ایک ایسا ڈھانچہ ہے جو پانی کے پہیے یا ٹربائن کا استعمال مکینیکل عمل کو چلانے کے لیے کرتا ہے جیسے آٹا، لکڑی یا ٹیکسٹائل کی پیداوار، یا دھات کی تشکیل (رولنگ، پیسنا یا تار ڈرائنگ)}} {{comment|en|A 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)}} | owl:equivalentClass = wikidata:Q185187 -}}OntologyClass:WaterwayTunnel2003392511572016-06-06T12:35:04Z{{Class +}}OntologyClass:WaterwayTunnel2003392587192022-05-16T15:04:40Z{{Class | labels = {{label|en|waterway tunnel}} +{{label|ur|آبی گزرگاہ کی سرنگ}} {{label|ga|tollán uiscebhealaigh}} {{label|de|Kanaltunnel}} {{label|fr|tunnel de voie navigable}} {{label|nl|kanaaltunnel}} | rdfs:subClassOf = RouteOfTransportation -}}OntologyClass:Weapon200484521162017-06-19T11:07:44Z{{Class +}}OntologyClass:Weapon200484584992022-05-14T19:17:22Z{{Class | labels = {{label|en|weapon}} +{{label|ur|ہتھیار}} {{label|ga|arm}} {{label|el|όπλο}} {{label|da|våben}} @@ -8918,9 +10508,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{SpecificProperty | ontologyProperty = width | unit = millimetre }} {{SpecificProperty | ontologyProperty = diameter | unit = millimetre }} | owl:equivalentClass = wikidata:Q728 -}}OntologyClass:Website200485521592017-07-11T11:13:47Z{{Class +}}OntologyClass:Website200485586422022-05-15T10:20:28Z{{Class | labels = {{label|en|website}} +{{label|ur|ویب صفحات کا مجموعہ}} {{label|ga|suíomh idirlín}} {{label|gl|sitio web}} {{label|de|Webseite}} @@ -8931,29 +10522,35 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|ウェブサイト}} | rdfs:subClassOf = Work | owl:equivalentClass = schema:WebSite -}}OntologyClass:WikimediaTemplate20011965525442017-10-25T11:24:41Z{{Class +}}OntologyClass:WikimediaTemplate20011965587212022-05-16T16:36:42Z{{Class | labels= -{{label|en|Wikimedia template}} -{{label|de|Wikimedia-Vorlage}} -{{label|fr|modèle de Wikimedia}} + {{label|en|Wikimedia template}} +{{label|ur|ویکی میڈیا کا سانچہ}} + {{label|de|Wikimedia-Vorlage}} + {{label|fr|modèle de Wikimedia}} | comments= -{{comment|en|DO NOT USE THIS CLASS! This is for internal use only!}} + {{comment|en|DO NOT USE THIS CLASS! This is for internal use only!}} +{{comment|ur|!اس کلاس کو استعمال نہ کریں! یہ صرف اندرونی استعمال کے لیے ہے}} + {{comment|fr|NE PAS UTILISER CETTE CLASSE! Usage interne réservé uniquement!}} | owl:equivalentClass = wikidata:Q11266439 | rdfs:subClassOf = Unknown -}}OntologyClass:WindMotor2006313511582016-06-06T12:37:19Z{{Class +}}OntologyClass:WindMotor2006313585062022-05-14T19:23:26Z{{Class | labels = {{label|en|Wind motor}} +{{label|ur|پَوَن چکّی کی طرح کی کّل}} {{label|de|Windkraft}} {{label|fr|éolienne}} {{label|nl|Roosmolen}} | rdfs:subClassOf = Mill | comments = {{comment|en|A 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.}} +{{comment|ur|ہوا سے چلنے والی ٹربائن جو خود کو ہوا کی سمت اور ہوا کی طاقت کے مطابق ڈھال لیتی ہے۔ ونڈ مل کے ساتھ عام فیکٹر کے طور پر ہوا کے باوجود، اپنی ذات میں ایک طبقہ سمجھا جاتا ہے}} | owl:equivalentClass = wikidata:Q15854792 -}}OntologyClass:Windmill2006009521182017-06-19T11:08:49Z{{Class +}}OntologyClass:Windmill2006009586472022-05-15T10:25:00Z{{Class | labels = {{label|el|Ανεμόμυλος}} {{label|en|Windmill}} +{{label|ur|ہوا کی چکی}} {{label|da|vindmølle}} {{label|de|Windmühle}} {{label|it|mulino a vento}} @@ -8966,12 +10563,14 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:subClassOf = Mill |comments = {{comment|en|A windmill is a machine that converts the energy of wind into rotational energy by means of vanes called sails}} +{{comment|ur|ہوا کی چکی ایک مشین ہے جو ہوا کی توانائی کو سیل نامی وینز کے ذریعے گردشی توانائی میں تبدیل کرتی ہے}} + {{comment|fr|Le moulin à vent est un dispositif qui transforme l’énergie éolienne (énergie cinétique du vent) en mouvement rotatif au moyen d’ailes ajustables.<ref name="moulin à vent">http://fr.wikipedia.org/wiki/Moulin_%C3%A0_vent</ref>}} | owl:equivalentClass = wikidata:Q38720 }} ==References== -<references/>OntologyClass:Wine2005830521172017-06-19T11:08:08Z{{Class +<references/>OntologyClass:Wine2005830575632022-04-24T15:05:54Z{{Class |labels= {{label|en|wine}} {{label|ga|fíon}} @@ -8983,19 +10582,22 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl|wijn}} {{label|fr|vin}} {{label|es|vino}} +{{label|ur|شراب}} | rdfs:subClassOf = Beverage | owl:equivalentClass = wikidata:Q282 -}}OntologyClass:WineRegion200486470482015-03-23T10:04:02Z{{Class +}}OntologyClass:WineRegion200486585082022-05-14T19:27:08Z{{Class | labels = {{label|en|wine region}} +{{label|ur|شراب کا علاقہ}} {{label|de|Weinregion}} {{label|fr|région viticole}} {{label|ja|ワイン産地}} {{label|nl|wijnstreek}} | rdfs:subClassOf = Place -}}OntologyClass:Winery2008722511542016-06-06T12:29:36Z{{Class +}}OntologyClass:Winery2008722586512022-05-15T10:27:19Z{{Class | labels = {{label|en|winery}} +{{label|ur|شراب خانہ}} {{label|ga|fíonlann}} {{label|el|οινοποιείο}} {{label|de|Weinkellerei}} @@ -9005,16 +10607,18 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|ワイナリー}} | rdfs:subClassOf = Company | owl:equivalentClass = wikidata:Q156362 -}}OntologyClass:WinterSportPlayer20011157519042017-02-19T15:54:36Z{{Class +}}OntologyClass:WinterSportPlayer20011157558222021-09-17T20:38:25Z{{Class | labels = {{label|en|winter sport Player}} {{label|de|Wintersportspieler}} {{label|nl|wintersporter}} {{label|fr|Joueur de sport d'hiver}} +{{label|ur|سرمائی کھیل کھیلنے والا}} | rdfs:subClassOf = Athlete -}}OntologyClass:Woman20012288535812020-01-30T10:08:07Z{{Class +}}OntologyClass:Woman20012288585112022-05-14T19:30:35Z{{Class | labels = {{label|en|woman}} +{{label|ur|عورت}} {{label|ru|женщина}} {{label|pl|kobieta}} {{label|fr|femme}} @@ -9026,32 +10630,50 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|it|donna}} | rdfs:subClassOf = Person | owl:equivalentClass = wikidata:Q467 -}}OntologyClass:WomensTennisAssociationTournament200487470272015-03-22T22:17:57Z{{Class +}}OntologyClass:WomensTennisAssociationTournament200487586572022-05-15T10:34:00Z{{Class | labels = {{label|en|Women's Tennis Association tournament}} +{{label|ur|خواتین کی انجمن کا باہمی مقابلہ}} {{label|de|WTA Turnier}} {{label|fr|Tournoi de la Women's Tennis Association}} {{label|it|Torneo di Women's Tennis Association}} {{label|nl|WTA-toernooi}} | rdfs:subClassOf = Tournament -}}OntologyClass:Work200488520842017-06-19T10:36:08Z{{Class -| labels = -{{label|en|work}} -{{label|ga|obair}} -{{label|pt|obra}} -{{label|fr|œuvre}} -{{label|el|δημιουργία}} -{{label|da|arbejde}} -{{label|de|Werk}} -{{label|nl|werk}} -{{label|ja|仕事}} +}}OntologyClass:Work200488575012022-04-24T10:54:27Z{{Class +| labels = + {{label|en|work}} + {{label|ga|obair}} + {{label|pt|obra}} + {{label|fr|œuvre}} + {{label|el|δημιουργία}} + {{label|da|arbejde}} + {{label|de|Werk}} + {{label|nl|werk}} + {{label|ja|仕事}} + {{label|ur|کام}} +| comments = + {{comment|en|Item on which time has been spent for its realisation. Actor can be a human on not (machine, insects, nature...)}} + {{comment|fr|Elément sur lequel on a passé du temps pour le réaliser. L'acteur peut être humain (homme) ou pas (machine, insectes, nature, ...)}} +{{comment|ur|وہ شے جس پر اس کی تکمیل کے لیے وقت صرف کیا گیا ہو۔ اداکار انسان نہیں ہو سکتا (مشین، کیڑے، فطرت}} + | owl:equivalentClass = schema:CreativeWork, wikidata:Q386724 | owl:disjointWith = wgs84_pos:SpatialThing | specificProperties = {{SpecificProperty | ontologyProperty = runtime | unit = minute }} | rdfs:subClassOf = owl:Thing -}}OntologyClass:WorldHeritageSite200489515302016-09-23T22:29:58Z{{Class +}}OntologyClass:WorkSequence20013832585142022-05-14T19:33:36Z{{Class +| labels = + {{label|en|sequence of works}} + {{label|ur|کام کی ترتیب}} + {{label|fr|séquence d'oeuvres}} +| comments = + {{comment|en|sequence of works previous/next}} +{{comment|ur|پچھلے/اگلے کاموں کی ترتیب}} + {{comment|fr|séquence d'oeuvres précédent/suivant}} +|rdfs:subClassOf = List +}}OntologyClass:WorldHeritageSite200489586602022-05-15T10:37:27Z{{Class | labels = {{label|en|World Heritage Site}} +{{label|ur|عالمی ثقافتی ورثہ}} {{label|nl|werelderfgoed}} {{label|ga|Láithreán Oidhreachta Domhanda}} {{label|de|Weltkulturerbe}} @@ -9061,9 +10683,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|世界遺産}} | comments = {{comment|en|A 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.}} +{{comment|ur|یونیسکو کی عالمی ثقافتی ورثہ سائٹ ایک ایسی جگہ ہے (جیسے جنگل، پہاڑ، جھیل، صحرا، یادگار، عمارت، کمپلیکس، یا شہر) جو اس فہرست میں شامل ہے جسے یونیسکو کی عالمی ثقافتی ورثہ کمیٹی کے زیر انتظام بین الاقوامی عالمی ثقافتی ورثہ پروگرام کے ذریعے برقرار رکھا جاتا ہے۔ 21 ریاستی پارٹیوں پر مشتمل ہے جنہیں ان کی جنرل اسمبلی چار سال کی مدت کے لیے منتخب کرتی ہے۔ عالمی ثقافتی ورثہ کی جگہ ثقافتی یا جسمانی اہمیت کی حامل جگہ ہے}} | rdfs:subClassOf = Place | owl:equivalentClass = wikidata:Q9259 -}}OntologyClass:Wrestler200490482042015-05-25T15:21:31Z{{Class +}}OntologyClass:Wrestler200490565882022-02-18T04:21:01Z{{Class | labels = {{label|en|wrestler}} {{label|ga|coraí}} @@ -9072,17 +10695,19 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|fr|lutteur}} {{label|ja|レスラー}} {{label|nl|worstelaar}} +{{label|ur|پہلوان}} | rdfs:subClassOf = Athlete | owl:equivalentClass = wikidata:Q13474373 -}}OntologyClass:WrestlingEvent200491468862015-03-22T12:26:02Z{{Class +}}OntologyClass:WrestlingEvent200491585182022-05-14T19:38:08Z{{Class | labels = {{label|en|wrestling event}} +{{label|ur|کشتی کی تقریب}} {{label|el|αγώνας πάλης}} {{label|de|Wrestling-Veranstaltung}} {{label|fr|match de catch}} {{label|nl|worstelevenement}} | rdfs:subClassOf = SportsEvent -}}OntologyClass:Writer200492523432017-10-10T13:45:11Z{{Class +}}OntologyClass:Writer200492550792021-09-09T15:06:53Z{{Class | labels = {{label|en|writer}} {{label|fr|écrivain}} @@ -9096,26 +10721,31 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|pl|pisarz}} {{label|ga|scríbhneoir}} {{label|lv|rakstnieks}} +{{label|ur|مصنف}} | rdfs:subClassOf = Person | owl:equivalentClass = wikidata:Q36180 -}}OntologyClass:WrittenWork2003736520972017-06-19T10:47:11Z{{Class +}}OntologyClass:WrittenWork2003736574552022-04-24T08:56:34Z{{Class |labels = {{label|en|written work}} {{label|ga|obair scríofa}} {{label|da|skriftligt værk}} {{label|de|geschriebenes Erzeugnis}} {{label|nl|geschreven werk}} - {{label|fr|œuvre écrite}} + {{label|fr|travail écrit}} {{label|es|obra escrita}} +{{label|ur|تحریری کام}} | comments = {{comment|en|Written work is any text written to read it (e.g.: books, newspaper, articles)}} +{{comment|fr|Un travail écrit est tout texte écrit destiné à être lu (ex. : livres, journaux, articles, document)}} +{{comment|ur|تحریری کام کسی بھی متن کو پڑھنے کے لیے لکھا جاتا ہے (مثال کے طور پر: کتابیں ، اخبار ، مضامین)}} {{comment|de|Ein geschriebenes Erzeugnis ist jede Art von Text der geschrieben wurde um ihn zu lesen (z.B. Bücher, Zeitungen, Artikel). }} | rdfs:subClassOf = Work | owl:equivalentClass = wikidata:Q234460 -}}OntologyClass:Year2004814528452018-02-08T20:33:17Z{{Class +}}OntologyClass:Year2004814587242022-05-16T17:23:44Z{{Class | labels = {{label|en|year}} +{{label|ur|سال}} {{label|el|έτος}} {{label|da|år}} {{label|de|Jahr}} @@ -9128,17 +10758,33 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ga|bliain}} | rdfs:subClassOf = TimePeriod | owl:equivalentClass = wikidata:Q577 -}}OntologyClass:YearInSpaceflight200493470842015-03-23T14:19:41Z{{Class +}}OntologyClass:YearInSpaceflight200493587272022-05-16T17:32:26Z{{Class | labels = + {{label|en|year in spaceflight}} +{{label|ur|خلائی پرواز میں سال}} {{label|es|año del vuelo espacial}} {{label|fr|année de vols spatiaux}} {{label|nl|vliegjaren}} {{label|de|Zeitraum Raumflug}} | rdfs:subClassOf = TimePeriod -}}OntologyClass:Zoo2009215523422017-10-10T13:44:45Z{{Class +}}OntologyClass:Youtuber20012512587292022-05-16T17:41:04Z{{Class +| labels = + {{label|en|Youtuber}} + {{label|ur|یوٹیب پر وڈیو لگانے والا}} + {{label|de|Youtuber}} + {{label|eu|youtuberra}} + {{label|da|youtuber}} + {{label|fr|youtubeuse}} + {{label|hi|यूट्यूबर}} + {{label|ar|اليوتيوب}} +| rdfs:subClassOf = Person +| comments = {{comment|en|a person who uploads, produces, or appears in videos on the video-sharing website YouTube..}} +{{comment|ur|وہ شخص جو ویڈیو شیئرنگ ویب سائٹ یوٹیوب پر ویڈیوز اپ لوڈ کرتا ہے، تیار کرتا ہے یا ان میں ظاہر ہوتا ہے}} +}}OntologyClass:Zoo2009215587312022-05-16T17:44:55Z{{Class | labels = {{label|en|zoo}} +{{label|ur|چڑیا گھر}} {{label|ga|zú}} {{label|da|zoo}} {{label|de|Zoo}} @@ -9148,569 +10794,6745 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl|dierentuin}} | rdfs:subClassOf = ArchitecturalStructure | owl:equivalentClass = wikidata:Q43501 -}}OntologyProperty:ASide202567473762015-03-31T14:24:04Z{{DatatypeProperty -| rdfs:label@en = a side -| rdfs:label@ca = cara A -| rdfs:label@de = Single -| rdfs:label@el = εξώφυλλο -| rdfs:label@ga = taobh a -| rdfs:label@pl = strona A -| rdfs:label@sr = страна -| rdfs:domain = Single -| rdfs:range = xsd:string -| rdfs:comment@en = -}}OntologyProperty:AbbeychurchBlessing2027823491392015-10-13T09:46:06Z{{DatatypeProperty -| rdfs:label@en = abbey church blessing -| rdfs:label@de = Abteikirche weihe -| rdfs:label@sr = опатијски црквени благослов -| rdfs:domain = Cleric -| rdfs:range = xsd:string -}}OntologyProperty:AbbeychurchBlessingCharge2027822491402015-10-13T09:46:42Z{{DatatypeProperty -| rdfs:label@en = abbey church blessing charge -| rdfs:domain = Cleric -| rdfs:range = xsd:string -}}OntologyProperty:Abbreviation202494473742015-03-31T14:21:47Z{{DatatypeProperty -| labels = -{{label|en|abbreviation}} -{{label|nl|afkorting}} -{{label|el|συντομογραφία}} -{{label|de|Abkürzung}} -{{label|fr|abréviation}} -{{label|ga|giorrúchán}} -{{label|sr|скраћеница}} -{{label|pl|skrót}} -| rdfs:domain = owl:Thing -| rdfs:range = xsd:string -| owl:equivalentProperty = wikidata:P743 -}}OntologyProperty:AbleToGrind2028409458352015-03-14T14:10:12Z{{DatatypeProperty +}}OntologyClass:آب و تاب20013498578422022-05-02T11:12:52Z{{Class | labels = -{{label|en|able to grind}} -{{label|de|mahlenfähig}} -{{label|nl|maalvaardig}} -| rdfs:domain = Mill -| rdfs:range = xsd:string -}}OntologyProperty:AbsoluteMagnitude2024355510762016-05-14T13:53:19Z{{DatatypeProperty - |rdfs:label@en=absolute magnitude - |rdfs:label@el=απόλυτο μέγεθος - |rdfs:label@de=absolute Helligkeit - |rdfs:label@fr=magnitude absolue - |rdfs:label@ga=dearbhmhéid - |rdfs:label@pl=wielkość absolutna - |rdfs:label@sr=апсолутна магнитуда - |rdfs:domain=CelestialBody - |rdfs:range=xsd:double - |owl:equivalentProperty = wikidata:P1457 -}}OntologyProperty:Abstentions2029132476312015-04-03T14:01:01Z{{DatatypeProperty -| rdfs:label@en = abstentions -| rdfs:label@el = Αριθμός αποχών μετά από ψηφοφορία -| rdfs:label@de = Anzahl der Enthaltungen nach der Abstimmung -| rdfs:label@ga = staonadh -| rdfs:label@nl = Aantal onthoudingen -| rdfs:comment@en = Number of abstentions from the vote -| rdfs:comment@ga= an líon daoine a staon ó vótáil -| rdfs:domain = StatedResolution -| rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:Abstract202495458442015-03-14T20:05:59Z'''{{Reserved for DBpedia}}''' + +{{label|ur|آب و تاب}} +{{label|en|Blazon}} -{{DatatypeProperty -| labels = -{{label|en|has abstract}} -{{label|de|abstract}} -{{label|el|έχει περίληψη}} -{{label|sr|апстракт}} -| comments = -{{comment|en|Reserved for DBpedia. {{Reserved for DBpedia}}}} -{{comment|el|Προορίζεται για την DBpedia. {{Reserved for DBpedia}}}} -| rdfs:range = rdf:langString -}}OntologyProperty:AcademicAdvisor202496357812014-07-08T12:22:38Z -{{ObjectProperty + +| rdfs:subClassOf = owl:Thing +}}OntologyClass:آبادی20013986585682022-05-15T06:05:42Z{{Class | labels = - {{label|en|academic advisor}} - {{label|nl|promotor}} - {{label|el|ακαδημαϊκοί_σύμβουλοι}} - {{label|sr|академски саветник}} -| rdfs:domain = Scientist -| rdfs:range = Person -| rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:AcademicDiscipline2023739357802014-07-08T12:22:15Z{{ObjectProperty -| rdfs:label@en = academic discipline -| rdfs:label@de = wissenschaftliche Disziplin -| rdfs:label@sr = академска дисциплина -| rdfs:domain = AcademicJournal -| rdfs:range = owl:Thing -| rdfs:comment@en = 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. -| rdfs:subPropertyOf = dul:isAbout -}}OntologyProperty:AcademyAward202497478272015-04-28T15:53:02Z{{ObjectProperty -| rdfs:label@en = Academy Award -| rdfs:label@de = Academy Award -| rdfs:label@el = Βραβείο ακαδημίας -| rdfs:label@ga = Duais an Acadaimh -| rdfs:label@pl = Nagroda Akademii Filmowej -| rdfs:label@sr = оскар -| rdfs:domain = Artist -| rdfs:range = Award -| rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:Acceleration202498526632017-11-18T08:44:32Z{{DatatypeProperty -| rdfs:label@ca = acceleració -| rdfs:label@de = Beschleunigung -| rdfs:label@en = acceleration -| rdfs:label@nl = acceleratie -| rdfs:label@el = επιτάχυνση -| rdfs:label@ga = luasghéarú -| rdfs:label@pl = przyspieszenie -| rdfs:label@sr = убрзање -| rdfs:domain = AutomobileEngine -| rdfs:range = Time -| rdf:type = owl:FunctionalProperty -}}OntologyProperty:Access202499526642017-11-18T08:46:53Z{{DatatypeProperty -| rdfs:label@en = access -| rdfs:label@nl = toegang -| rdfs:label@de = Zugriff -| rdfs:label@el = πρόσβαση -| rdfs:label@sr = приступ -| rdfs:range = xsd:string -}}OntologyProperty:AccessDate202500526652017-11-18T08:49:21Z{{DatatypeProperty -| rdfs:label@en = access date -| rdfs:label@nl = toegangsdatum -| rdfs:label@de = Zugriffsdatum -| rdfs:label@el = ημερομηνία πρόσβασης -| rdfs:label@sr = датум приступа -| rdfs:range = xsd:date -}}OntologyProperty:Achievement2026061526662017-11-18T08:51:48Z{{ObjectProperty -|labels = - {{label|en|achievement}} - {{label|nl|prestatie}} - {{label|de|Leistung}} - {{label|el|κατόρθωμα}} - {{label|fr|haut fait, accomplissement}} - {{label|es|logro}} - {{label|sr|достигнуће}} -| rdfs:domain = Person -}}OntologyProperty:AcquirementDate2023101456232015-03-11T11:30:00Z{{DatatypeProperty -| rdfs:label@en=date of acquirement -| rdfs:label@de=Anschaffungszeitpunkt -| rdfs:label@el=ημερομηνία απόκτησης -| rdfs:domain = Ship -| rdfs:range = xsd:date +{{label|en|population}} +{{label|ur|آبادی}} -}}OntologyProperty:ActScore2023139357832014-07-08T12:36:12Z -{{ObjectProperty -| rdfs:label@en = ACT score -| rdfs:label@el = ACT σκορ -| rdfs:label@sr = ACT резултат -| rdfs:comment@en = most recent average ACT scores -| rdfs:comment@el = ποιό πρόσφατες μέσες βαθμολογίες ACT -| rdfs:domain = School -| rdfs:subPropertyOf = dul:hasQuality -}}OntologyProperty:ActingHeadteacher202501525752017-10-31T08:24:27Z -{{ObjectProperty -| rdfs:label@en = acting headteacher -| rdfs:label@el = διευθυντής σχολείου -| rdfs:label@sr = вд шефа наставе -| rdfs:domain = EducationalInstitution -| rdfs:range = Person -| rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:ActiveCases20212297536082020-04-10T06:18:00Z{{DatatypeProperty -| labels = -{{label|en|Active Cases}} -| rdfs:comment@en = Number of active cases in a pandemic -| rdfs:domain = Outbreak -| rdfs:range = xsd:integer -}}OntologyProperty:ActiveYears2027752537922020-10-26T22:52:41Z{{DatatypeProperty +| rdfs:subClassOf = owl:Thing +| owl:equivalentClass = wikidata:Q33829 +}}OntologyClass:آبادی والی جگہ20013375582322022-05-13T09:23:19Z{{Class | labels = -{{label|en|active years}} -{{label|de|aktive Jahre}} -{{label|sr|активне године}} -| rdfs:domain = Person -| rdfs:range = xsd:string -| rdfs:comment@en = Also called "floruit". Use this if the active years are in one field that can't be split. Else use activeYearsStartYear and activeYearsEndYear -| owl:equivalentProperty = gnd:periodOfActivity -}}OntologyProperty:ActiveYearsEndDate202502303542014-01-21T10:27:11Z{{DatatypeProperty +{{label|ur|آبادی والی جگہ}} +{{label|en|populated place}} +| comments = + +{{comment|ur| جیسا کہ امریکہ نے بیان کیا ہے۔ ارضیاتی سروے ، ایک آبادی والی جگہ وہ جگہ یا علاقہ ہے جہاں گروہ یا بکھرے ہوئے عمارتیں اور مستقل انسانی آبادی (شہر ، بستی ، قصبہ یا گاؤں) ہو۔ }} +{{comment|en|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).}} +| rdfs:subClassOf = جگہ +| specificProperties = +{{SpecificProperty | ontologyProperty = populationDensity | unit = inhabitantsPerSquareKilometre }} +{{SpecificProperty | ontologyProperty = populationMetroDensity | unit = inhabitantsPerSquareKilometre }} +{{SpecificProperty | ontologyProperty = populationUrbanDensity | unit = inhabitantsPerSquareKilometre }} +{{SpecificProperty | ontologyProperty = area | unit = squareKilometre }} +{{SpecificProperty | ontologyProperty = areaTotal | unit = squareKilometre }} +{{SpecificProperty | ontologyProperty = areaMetro | unit = squareKilometre }} +{{SpecificProperty | ontologyProperty = areaUrban | unit = squareKilometre }} +}}OntologyClass:آبادیاتی20014016582292022-05-13T09:17:35Z{{Class | labels = -{{label|en|active years end date}} -{{label|el|ενεργή ημερομηνία λήξης χρόνου}} -{{label|nl|actieve jaren einddatum}} -{{label|sr|датум завршетка активних година}} -| rdfs:range = xsd:date -}}OntologyProperty:ActiveYearsEndDateMgr2027659269182013-07-03T12:22:59Z{{DatatypeProperty +{{label|ur|آبادیاتی}} +| comments = +{{comment|ur|کسی جگہ کی آبادی۔ ان خصوصیات کا استعمال کرتا ہے: آبادی کی کل، سال (جب ماپا جاتا ہے، آبادی کا سال)، درجہ (اس جگہ کا ترتیب اس کے بہن بھائیوں کے درمیان ایک ہی سطح پر)، نام (علاقہ آبادی کے لحاظ سے ماپا جاتا ہے، جیسے: "مقام"، "میونسپلٹی" یا "کمیٹیٹ"}} +| rdfs:subClassOf = owl:Thing +}}OntologyClass:آبی پولوکا کھلاڑی20014119586332022-05-15T10:06:00Z{{Class | labels = -{{label|en|active years end date manager}} -| rdfs:domain = Person -| rdfs:range = xsd:string -}}OntologyProperty:ActiveYearsEndYear202503303612014-01-21T10:32:07Z{{DatatypeProperty +{{label|ur|آبی پولوکا کھلاڑی}} + {{label|en|water polo Player}} +| rdfs:subClassOf = کھلاڑی +}}OntologyClass:آبی گزرگاہ کی سرنگ20014132587202022-05-16T15:06:25Z{{Class | labels = -{{label|en|active years end year}} -{{label|ja|引退年}} -{{label|el|ενεργά χρόνια τέλος του χρόνου}} -{{label|nl|actieve jaren eind jaar}} -{{label|sr|последња година активних година}} -| rdfs:domain = owl:Thing -| rdfs:range = xsd:gYear -}}OntologyProperty:ActiveYearsEndYearMgr2027660269192013-07-03T12:23:17Z{{DatatypeProperty +{{label|ur|آبی گزرگاہ کی سرنگ}} +{{label|en|waterway tunnel}} + +| rdfs:subClassOf = نقل و حمل کا راستہ +}}OntologyClass:آتش فشاں20014070583962022-05-14T14:10:54Z{{Class | labels = -{{label|en|active years end year manager}} -| rdfs:domain = Person -| rdfs:range = xsd:gYear -}}OntologyProperty:ActiveYearsStartDate202504303632014-01-21T10:33:30Z{{DatatypeProperty +{{label|ur|آتش فشاں}} +{{label|en|volcano}} + +| comments = +{{comment|ur|آتش فشاں فی الحال قدرتی جگہ کا ذیلی طبقہ ہے، لیکن اسے پہاڑ بھی سمجھا جا سکتا ہے}} +{{comment|en|A volcano is currently subclass of naturalplace, but it might also be considered a mountain.}} + +| rdfs:subClassOf = قدرتی جگہ +| owl:equivalentClass = wikidata:Q8072 +}}OntologyClass:آثار قدیمہ20013923578882022-05-05T08:54:14Z{{Class | labels = -{{label|en|active years start date}} -{{label|el|ενεργά χρόνια ημερομηνία έναρξης}} -{{label|nl|actieve jaren startdatum}} -{{label|fr|date de début d'activité}} -{{label|sr|датум почетка активних година}} -| rdfs:range = xsd:date -}}OntologyProperty:ActiveYearsStartDateMgr2027657269162013-07-03T12:21:58Z{{DatatypeProperty +{{label|en|archaea}} +{{label|ur|آثار قدیمہ}} +| rdfs:subClassOf = قسم +}}OntologyClass:آجر20013453583412022-05-14T05:34:21Z{{Class | labels = -{{label|en|active years start date manager}} -| rdfs:domain = Person -| rdfs:range = xsd:date -}}OntologyProperty:ActiveYearsStartYear202505303652014-01-21T10:35:43Z{{DatatypeProperty +{{label|ur|آجر}} + +| comments = +{{comment|ur|آجر وہ ہے جو ملازمت کے معاہدے کی وجہ سے ملازم سے کام کا مطالبہ کر سکتا ہے اور جس پر اجرت واجب الادا ہے۔}} + +| rdfs:subClassOf = نمائندہ +| owl:equivalentClass = wikidata:Q3053337 +}}OntologyClass:آدمی20013887577042022-04-26T11:20:56Z{{Class | labels = -{{label|en|active years start year}} -{{label|el|ενεργός χρόνος έτος λειτουργίας}} -{{label|nl|actieve jaren start jaar}} -{{label|sr|почетна година активних година}} -| rdfs:domain = owl:Thing -| rdfs:range = xsd:gYear -}}OntologyProperty:ActiveYearsStartYearMgr2027658269172013-07-03T12:22:38Z{{DatatypeProperty +{{label|en|man}} + +{{label|ur|آدمی}} +| rdfs:subClassOf = شخص +| owl:equivalentClass = wikidata:Q8441 +}}OntologyClass:آسٹریلوی رولز فٹ بال پلیئر20013403579692022-05-06T02:25:03Z{{Class | labels = -{{label|en|active years start year manager}} -| rdfs:domain = Person -| rdfs:range = xsd:gYear -}}OntologyProperty:Activity2026815345692014-04-13T08:57:35Z{{ObjectProperty + {{label|en|Australian rules football player}} + {{label|ur|آسٹریلوی رولز فٹ بال پلیئر}} +| rdfs:subClassOf = کھلاڑی +| owl:equivalentClass = wikidata:Q13414980 +}}OntologyClass:آسٹریلوی فٹ بال ٹیم20013442556252021-09-15T10:21:59Z{{Class | labels = -{{label|en|activity}} -{{label|el|δραστηριότητα}} -{{label|de|Aktivität}} -{{label|sr|активност}} -| rdfs:domain = Person -}}OntologyProperty:Address202507536932020-09-04T15:15:42Z{{DatatypeProperty +{{label|ur|آسٹریلوی فٹ بال ٹیم}} +{{label|en|australian football Team}} + +| rdfs:subClassOf = کھیل کی ٹیم +}}OntologyClass:آسٹریلوی فٹ بال کی انجمن20013347579682022-05-06T02:21:39Z{{Class +| labels = +{{label|ur|آسٹریلوی فٹ بال کی انجمن}} +{{label|en|australian football league}} +| comments = +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروپ جو آسٹریلین فٹ بال میں ایک دوسرے کے خلاف مقابلہ کرتا ہے}} +{{comment|en|A group of sports teams that compete against each other in australian football.}} +| rdfs:subClassOf = کھیلوں کی انجمن +}}OntologyClass:آلہ20013255578232022-05-01T15:34:11Z{{Class | labels = -{{label|en|address}} -{{label|de|Adresse}} -{{label|fr|adresse}} -{{label|sr|адреса}} -{{label|ru|адрес}} -{{label|nl|adres}} -{{label|el|διεύθυνση}} -| rdfs:domain = Place -| rdfs:range = rdf:langString -| owl:equivalentProperty = schema:address, wikidata:P969, ceo:volledigAdres -|comments= -{{comment|en|Address of something as literal. Usually Building, but we also use it for the address of a Region's or Settlement's government}} -}}OntologyProperty:AddressInRoad2023267357852014-07-08T12:36:28Z -{{ObjectProperty -| rdfs:label@en = address in road -| rdfs:label@de = Adresse in Straße -| rdfs:label@el = διεύθυνση στον δρόμο -| rdfs:label@sr = Адреса на путу -| rdfs:domain = Road -| rdfs:range = owl:Thing -| rdfs:comment@en = A building, organisation or other thing that is located in the road. -| rdfs:comment@el = Ένα κτήριο, οργανισμός ή κάτι άλλο που βρίσκεται στον δρόμο. -| rdfs:subPropertyOf = dul:isLocationOf -}}OntologyProperty:AdjacentSettlement2026943492022015-10-14T13:05:30Z{{ObjectProperty +{{label|ur|آلہ}} +{{label|en|device}} + +| rdfs:subClassOf = owl:Thing +}}OntologyClass:آنکھ کا جالا20013603586232022-05-15T08:16:04Z{{Class +|labels= + {{label|en|Nebula}} +{{label|ur|آنکھ کا جالا}} +| owl:disjointWith = شخص + +| rdfs:subClassOf = جرم فلکی + +}}OntologyClass:آواز20013710586672022-05-15T10:44:01Z{{Class | labels = - {{label|en|adjacent settlement of a switzerland settlement}} - {{label|sr|Суседно насеље у Швајцарској}} -| rdfs:domain = Settlement -| rdfs:range = Settlement -| rdfs:subPropertyOf = dul:nearTo -}}OntologyProperty:AdministrativeCenter2026847491952015-10-14T12:29:50Z{{ObjectProperty +{{label|ur|آواز}} +{{label|en|sound}} +| comments = +{{comment|ur|صوتی لہروں کے ذریعے سماعت کے حسی اعضاء سے محرک ہوا کے دباؤ میں تبدیلی}} +| rdfs:subClassOf = دستاویز +}}OntologyClass:آوازکا اداکار20014090584712022-05-14T18:36:05Z{{Class | labels = - {{label|en|administrative center}} - {{label|de|Verwaltungszentrum}} - {{label|sr|административни центар}} -| rdfs:domain = AdministrativeRegion -| rdfs:range = Place -| rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:AdministrativeCollectivity202508357882014-07-08T12:36:52Z -{{ObjectProperty +{{label|ur|آوازکا اداکار}} +{{label|en|voice actor}} + +| rdfs:subClassOf = اداکار +}}OntologyClass:اجسامِ آب20013330578252022-05-01T17:45:26Z{{Class +|labels = +{{label|en|body of water}} +{{label|ur|اجسامِ آب}} + + +| rdfs:subClassOf = قدرتی جگہ +| owl:equivalentClass = schema:BodyOfWater +}}OntologyClass:اخبار20013605586242022-05-15T08:18:13Z{{Class | labels = - {{label|en|administrative collectivity}} - {{label|de|Verwaltungsgemeinschaft}} - {{label|nl|administratieve gemeenschap}} - {{label|el|διοικητική συλλογικότητα}} - {{label|sr|административна заједница}} -| rdfs:domain = Settlement -| rdfs:range = PopulatedPlace -| rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:AdministrativeDistrict202509357892014-07-08T12:37:01Z +{{label|en|newspaper}} +{{label|ur|اخبار}} -{{ObjectProperty +| rdfs:subClassOf =متواتر ادب +| comments = +{{comment|en|A 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.}} + +{{comment|ur|اخبار ایک باقاعدہ شیڈول اشاعت ہے جس میں موجودہ واقعات، معلوماتی مضامین، متنوع خصوصیات اور اشتہارات کی خبریں ہوتی ہیں۔ یہ عام طور پر نسبتاً سستے، کم درجے کے کاغذ پر پرنٹ کیا جاتا ہے جیسے نیوز پرنٹ۔}} + + +| owl:equivalentClass = wikidata:Q11032 +}}OntologyClass:اداکار20013235577102022-04-26T11:28:26Z{{Class | labels = - {{label|en|administrative district}} - {{label|de|Verwaltungsbezirk}} - {{label|nl|provincie}} - {{label|el|δήμος}} - {{label|sr|управни округ}} -| rdfs:domain = Settlement -| rdfs:range = PopulatedPlace -| rdfs:subPropertyOf = http://www.ontologydesignpatterns.org/ont/dul/DUL.owl#isPartOf, dul:isPartOf -}}OntologyProperty:AdministrativeHeadCity2028062306962014-01-22T10:36:49Z{{ObjectProperty +{{label|en|actor}} +{{label|ur|اداکار}} +| comments = +{{comment|en|An actor or actress is a person who acts in a dramatic production and who works in film, television, theatre, or radio in that capacity.}} +{{comment|ur|ایک اداکار یا اداکارہ وہ شخص ہوتا ہے جو ڈرامائی پروڈکشن میں کام کرتا ہے اور جو فلم ، ٹیلی ویژن ، تھیٹر یا ریڈیو میں اس صلاحیت کے ساتھ کام کرتا ہے}} +| rdfs:subClassOf = فنکار +| owl:equivalentClass = wikidata:Q33999 +}}OntologyClass:ادبی صنف20013635585552022-05-14T20:52:44Z{{Class +|labels= +{{label|en|literary genre}} +{{label|ur|ادبی صنف}} +| comments = +{{comment|en|Genres of literature, e.g. Satire, Gothic}} +{{comment|ur|ادب کی انواع، جیسے طنزیہ، غیر مہذب}} +| rdfs:subClassOf = صنف +}}OntologyClass:ارضیاتی دورانیہ20013468581682022-05-12T19:21:41Z{{Class +|labels= +{{label|ur|ارضیاتی دورانیہ}} +{{label|en|geological period}} +| rdfs:subClassOf = وقت کی مدت +| owl:disjointWith = شخص +| owl:equivalentClass = wikidata:Q392928 +}}OntologyClass:اسپورٹس لیگ20013363554342021-09-13T07:57:29Z{{Class | labels = -{{label|en|head city}} -{{label|fr|ville dirigeante}} -{{label|es|ciudad a la cabeza}} -{{label|sr|административни центар (град)}} +{{label|en|sports league}} + +{{label|ur|کھیلوں کی انجمن}} | comments = -{{comment|en|city where stand the administrative power}} -{{comment|fr|ville où siège le pouvoir administratif}} -| rdfs:domain = PopulatedPlace -| rdfs:range = City -}}OntologyProperty:AdministrativeStatus2027225333842014-04-03T14:01:04Z{{DatatypeProperty +{{comment|en|A group of sports teams or individual athletes that compete against each other in a specific sport.}} +{{comment|ur|کھیلوں کی ٹیموں یا انفرادی کھلاڑیوں کا ایک گروہ جو ایک مخصوص کھیل میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں۔}} +| rdfs:subClassOf = تنظیم۔ +| owl:equivalentClass = wikidata:Q623109 +}}OntologyClass:اسکی باز20013707586792022-05-15T11:54:16Z{{Class | labels = -{{label|en|administrative status}} -{{label|de|administrativer Status}} -{{label|sr|административни статус}} -| rdfs:range = xsd:string -}}OntologyProperty:Administrator202510525742017-10-31T08:21:57Z -{{ObjectProperty +{{label|en|skier}} +{{label|ur|اسکی باز}} +| rdfs:subClassOf = سرمائی کھیل کھیلنے والا +| owl:equivalentClass = wikidata:Q4270517 +}}OntologyClass:اسکی کاعلاقہ20013706586782022-05-15T11:52:02Z{{Class | labels = -{{label|en|administrator}} -{{label|de|Verwalter}} -{{label|sr|управник}} -{{label|el|διαχειριστής}} -| rdfs:domain = Organisation -| rdfs:range = Person -}}OntologyProperty:AfdbId2023301459702015-03-16T13:31:56Z{{DatatypeProperty -| rdfs:label@en = afdb id -| rdfs:label@el = afdb id -| rdfs:label@pt = código no afdb -| rdfs:label@sr = AFDB ID -| rdfs:label@de = AFDB ID -| rdfs:domain = Film -| rdfs:range = xsd:string -}}OntologyProperty:Affair2027559303942014-01-21T11:05:05Z{{DatatypeProperty +{{label|en|ski area}} +{{label|ur|اسکی کاعلاقہ}} +| rdfs:subClassOf = کھیل کی سہولت +| owl:equivalentClass = schema:SkiResort +}}OntologyClass:اسکیٹ کرنے والا20013761586412022-05-15T10:18:33Z{{Class | labels = -{{label|en|affair}} -{{label|sr|афера}} -| rdfs:domain = Person -| rdfs:range = xsd:string -}}OntologyProperty:Affiliate2026821306942014-01-22T10:35:11Z{{DatatypeProperty +{{label|en|skater}} +{{label|ur|اسکیٹ کرنے والا}} +| rdfs:subClassOf =سرمائی کھیل کھیلنے والا +| owl:equivalentClass = wikidata:Q847400 +}}OntologyClass:اشرافیہ20013398579122022-05-05T11:21:49Z{{Class | labels = -{{label|en|affiliate}} -| rdfs:domain = FictionalCharacter -| rdfs:range = xsd:string -}}OntologyProperty:Affiliation202511537942020-10-26T23:29:49Z -{{ObjectProperty +{{label|en|aristocrat}} +{{label|ur|اشرافیہ}} +| rdfs:subClassOf = شخص}}OntologyClass:اعصاب20013652585992022-05-15T07:39:54Z{{Class +| labels = +{{label|en|nerve}} +{{label|ur|اعصاب}} +| rdfs:subClassOf = جسمانی ساخت +| owl:equivalentClass = wikidata:Q9620 +}}OntologyClass:اعضاء کی خوراک20013371584692022-05-14T18:33:28Z{{Class +| labels = + {{label|en|Hormone}} +{{label|ur|اعضاء کی خوراک}} +| comments = + {{comment|en|A 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.}} + +{{comment|ur|ایک مادہ جو غدود سے نکل کر خون میں شامل ہوتا ہےاورگردش کے نظام کے ذریعے دور دراز کے اعضاء کو نشانہ بناتے ہیں تاکہ جسمانیات اور طرز عمل کو کنٹرول کریں}} + +| rdfs:subClassOf = حیاتیاتی مرکبات +| owl:equivalentClass = wikidata:Q8047 +}}OntologyClass:اعلی انعام20013653586022022-05-15T07:43:26Z{{Class | labels = - {{label|en|affiliation}} - {{label|el|ιστολόγιο}} - {{label|nl|lidmaatschap}} - {{label|sr|припадност}} -| rdfs:range = Organisation -| rdfs:subPropertyOf = dul:coparticipatesWith -| owl:equivalentProperty = gnd:affiliation -}}OntologyProperty:AfiAward202512357922014-07-08T12:37:30Z -{{ObjectProperty -| rdfs:label@en = AFI Award -| rdfs:label@el = βραβείο AFI -| rdfs:label@sr = AFI награда -| rdfs:domain = Artist -| rdfs:range = Award -| rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:Age2026153526622017-11-18T08:42:19Z{{DatatypeProperty -| rdfs:label@en = age -| rdfs:label@nl = leeftijd -| rdfs:label@de = Alter -| rdfs:label@el = ηλικία -| rdfs:label@sr = старост -| rdfs:domain = Agent -| rdfs:range = xsd:integer -}}OntologyProperty:AgeRange202513487042015-08-10T10:26:36Z{{DatatypeProperty -| rdfs:label@en = age range -| rdfs:label@de = Altersgruppe -| rdfs:label@el = εύρος ηλικίας -| rdfs:label@sr = опсег година -| rdfs:comment@en = Age range of students admitted in a School, MilitaryUnit, etc -| rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:Agency2027542333882014-04-03T14:01:21Z{{ObjectProperty + {{label|en|Nobel Prize}} + {{label|ur| اعلی انعام }} + +| rdfs:subClassOf = انعام +| owl:equivalentClass = wikidata:Q7191 +}}OntologyClass:اعلی درجےکاموسیقی فنکار20013134576802022-04-25T11:14:53Z{{Class | labels = -{{label|en|agency}} -{{label|de|Agentur}} -{{label|sr|делатност}} -| rdfs:domain = Person -}}OntologyProperty:AgencyStationCode2023247304052014-01-21T11:18:52Z{{DatatypeProperty +{{label|en|classical music artist}} +{{label|ur|اعلی درجےکاموسیقی فنکار}} +| comments = + +{{comment|ur|لڈوگ وان بیتھوون ، جرمن موسیقار اور پیانو بجانے والے ، اعلی درجے موسیقی کے ایک عظیم فنکار تھے۔}} +| rdfs:subClassOf = موسیقی کا فنکار +}}OntologyClass:اعلی پانی میں ڈبکی لگانے والا20013527559542021-09-18T06:16:31Z{{Class +|labels= +{{label|ur|اعلی پانی میں ڈبکی لگانے والا}} +|rdfs:subClassOf=کھلاڑی +}}OntologyClass:افسانه20013609585512022-05-14T20:44:33Z افسانه{{Class +| labels = +{{label|en| novel}} +{{label|ur|افسانه}} +| rdfs:subClassOf = کتاب +| comments = +{{comment|en| A book of long narrative in literary prose<ref name="novel">http://en.wikipedia.org/wiki/Novel</ref>}} + +{{comment|ur| ادبی نثر میں طویل داستان کی کتاب>http://en.wikipedia.org/wiki/Novel</ref>}} + + +| owl:equivalentClass = wikidata:Q8261 +}} +==References== +<references/>OntologyClass:افسانوی شکل20013774577772022-04-26T13:07:49Z{{Class | labels = -{{label|en|agency station code}} -{{label|nl|stationscode}} -{{label|de|Stationsabkürzung}} -{{label|el|κωδικός πρακτορείου }} -{{label|sr|код станице }} -| rdfs:domain = Station -| rdfs:range = xsd:string -| rdfs:comment@en = Agency station code (used on tickets/reservations, etc.). -| rdfs:comment@de = Offizielle Stationsabkürzung (beispielsweise benutzt auf Fahrkarten). Für Deutschland siehe: http://en.wikipedia.org/wiki/List_of_Deutsche_Bahn_station_abbreviations -| rdfs:comment@el = Κωδικός πρακτορείου (χρησιμοποιείται σε εισιτήρια/κρατήσεις,κτλ.). -}}OntologyProperty:Agglomeration2027933304062014-01-21T11:20:57Z{{ObjectProperty +{{label|en|mythological figure}} +{{label|ur|افسانوی شکل}} + + +| rdfs:subClassOf = خیالی کردار +<!-- this is not always correct --> +| owl:equivalentClass = wikidata:Q15410431 +}}OntologyClass:افسانوی کردار20013593586262022-05-15T08:27:47Z{{Class | labels = -{{label|en|agglomeration}} -{{label|sr|агломерација}} -| rdfs:domain = PopulatedPlace -| rdfs:range = Agglomeration -}}OntologyProperty:AgglomerationArea2026930473492015-03-30T18:03:46Z{{ObjectProperty +{{label|en|naruto character}} +{{label|ur|افسانوی کردار}} +| rdfs:subClassOf =خیالی کردار + +}}OntologyClass:افضل20013845574962022-04-24T10:44:29Z{{Class | labels = -{{label|en|agglomeration area}} -{{label|de|Ballungsraum}} -{{label|sr|област агломерације}} -| rdfs:domain = PopulatedPlace -| rdfs:range = Area -}}OntologyProperty:AgglomerationDemographics2027914304082014-01-21T11:23:20Z{{ObjectProperty + +{{label|en|cardinal}} + +{{label|ur| افضل}} + +| rdfs:subClassOf = پادری +}}OntologyClass:اقتباس20013955580322022-05-07T11:26:58Z{{Class | labels = -{{label|en|agglomeration demographics}} -{{label|sr|демографија агломерације}} -| rdfs:domain = PopulatedPlace -| rdfs:range = Demographics -}}OntologyProperty:AgglomerationPopulation2026783306802014-01-22T10:00:41Z{{ObjectProperty + {{label|en|Quote}} +{{label|ur|اقتباس}} + +| rdfs:subClassOf = تحریری کام +| owl:equivalentClass = +}}OntologyClass:اقتدارکا تاریخی علاقہ20013203550812021-09-09T15:22:08Z{{Class | labels = -{{label|en|agglomeration population}} -{{label|sr|популација агломерације}} -| rdfs:domain = Settlement -| rdfs:range = Population -}}OntologyProperty:AgglomerationPopulationTotal2027915306792014-01-22T10:00:22Z{{DatatypeProperty +{{label|en|ancient area of jurisdiction of a person (feudal) or of a governmental body}} +{{label|ur|کسی شخص (جاگیردار) یا سرکاری ادارے کے دائرہ اختیار کا قدیم علاقہ}} +{{label|nl|gebied dat vroeger onder het gezag viel van een heer of vrouwe of een instelling van kerk of staat}} +| comments = +{{comment|en|Mostly for feudal forms of authority, but can also serve for historical forms of centralised authority}} +{{comment|ur|زیادہ تر اختیارات کی جاگیردارانہ شکلوں کے لیے ، لیکن مرکزی اختیار کی تاریخی شکلوں کے لیے بھی کام کر سکتا ہے}} +| rdfs:subClassOf = AdministrativeRegion +| owl:equivalentClass = +}}OntologyClass:امریکن فٹ بال لیگ20013391577462022-04-26T12:16:33Z{{Class | labels = -{{label|en|agglomeration population total}} -{{label|sr|укупна популација агломерације}} -| rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:AgglomerationPopulationYear2026784306782014-01-22T09:59:14Z{{DatatypeProperty +{{label|en|american football league}} +{{label|ur| امریکن فٹ بال لیگ}} +| comments = +{{comment|en|A group of sports teams that compete against each other in american football.}} +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروپ جو امریکی فٹ بال میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں۔.}} + +| rdfs:subClassOf = کھیلوں کی انجمن +}}OntologyClass:امریکن فٹ بال ٹیم20013383584332022-05-14T16:43:16Z{{Class +| labels = + +{{label|en|american football Team}} + +{{label|ur|امریکن فٹ بال ٹیم}} +| rdfs:subClassOf = کھیل کی جماعت +}}OntologyClass:امریکن فٹ بال کوچ20013384555032021-09-13T09:36:34Z{{Class +| labels = +{{label|en|american football coach}} + +{{label|ur|امریکن فٹ بال کوچ}} +| rdfs:subClassOf = تربیت کرنے والا +}}OntologyClass:امریکی رہنما20013901577492022-04-26T12:18:27Z{{Class | labels = -{{label|en|agglomerationPopulationYear}} -{{label|sr|година популације агломерације}} -| rdfs:domain = Settlement -| rdfs:range = xsd:string -}}OntologyProperty:Aggregation20210305388582014-12-08T21:49:32Z{{DatatypeProperty -| rdfs:label@en = Aggregation -| rdfs:label@nl = Aggregatie -| rdfs:domain = ChemicalSubstance -| rdfs:range = xsd:string -}}OntologyProperty:AirDate202530304182014-01-21T12:19:44Z{{DatatypeProperty -| rdfs:label@en = airdate -| rdfs:label@el = ημερομηνία αέρα -| rdfs:label@sr = датум емитовања -| rdfs:domain = RadioStation -| rdfs:range = xsd:date -}}OntologyProperty:AircraftAttack202514357932014-07-08T12:37:37Z -{{ObjectProperty -| rdfs:label@en = aircraft attack -| rdfs:label@de = Flugzeugangriff -| rdfs:label@sr = напад из ваздуха -| rdfs:label@el = επίθεση αεροσκάφους -| rdfs:domain = MilitaryUnit -| rdfs:range = MeanOfTransportation -| rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:AircraftBomber202515357942014-07-08T12:37:46Z -{{ObjectProperty -| rdfs:label@en = aircraft bomber -| rdfs:label@sr = авион бомбардер -| rdfs:label@el = βομβαρδιστικό αεροσκάφος -| rdfs:domain = MilitaryUnit -| rdfs:range = MeanOfTransportation -| rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:AircraftElectronic202516357952014-07-08T12:37:54Z -{{ObjectProperty -| rdfs:label@en = aircraft electronic -| rdfs:label@el = ηλεκτρονικό αεροσκάφος -| rdfs:domain = MilitaryUnit -| rdfs:range = MeanOfTransportation -| rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:AircraftFighter202517357962014-07-08T12:38:03Z -{{ObjectProperty -| rdfs:label@en = aircraft fighter -| rdfs:label@sr = борбени авион -| rdfs:label@el = μαχητικό αεροσκάφος -| rdfs:domain = MilitaryUnit -| rdfs:range = MeanOfTransportation -| rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:AircraftHelicopter202518357972014-07-08T12:38:11Z -{{ObjectProperty + {{label|en|American Leader}} + {{label|ur|امریکی رہنما}} +| rdfs:subClassOf = شخص +}}OntologyClass:امریکی فٹ بال کھلاڑی20013297577522022-04-26T12:20:50Z{{Class | labels = - {{label|en|aircraft helicopter}} - {{label|de|Hubschrauber}} - {{label|sr|хеликоптер}} - {{label|el|ελικοφόρο αεροσκάφος}} -| rdfs:domain = MilitaryUnit -| rdfs:range = MeanOfTransportation -| rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:AircraftHelicopterAttack202519357982014-07-08T12:38:18Z -{{ObjectProperty +{{label|en|american football player}} +{{label|ur|امریکی فٹ بال کھلاڑی}} +| rdfs:subClassOf = گرڈیرون فٹ بال کھلاڑی +| owl:equivalentClass = wikidata:Q14128148 +}}OntologyClass:ان لائن ہاکی انجمن20013920587632022-05-16T19:37:55Z{{Class +| rdfs:subClassOf =کھیلوں کی انجمن +| labels = +{{label|ur|ان لائن ہاکی انجمن}} +{{label|en|inline hockey league}} + +| comments = +{{comment|ur|کھیلوں کی ٹیموں کا گروپ جو ان لائن ہاکی میں ایک دوسرے سے مقابلہ کرتے ہیں۔}} + +{{comment|en| group of sports teams that compete against each other in Inline Hockey.}} + +}}OntologyClass:انتخابات20013540560262021-09-19T11:54:05Z{{Class | labels = - {{label|en|aircraft helicopter attack}} - {{label|de|Hubschrauberangriff}} - {{label|el|επίθεση ελικοφόρων αεροσκαφών}} - {{label|sr|ваздушни напад хеликоптером}} -| rdfs:domain = MilitaryUnit -| rdfs:range = MeanOfTransportation -| rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:AircraftHelicopterCargo202520357992014-07-08T12:38:26Z -{{ObjectProperty +{{label|ur|انتخابات}} +| rdfs:subClassOf = معاشرتی واقعہ +| owl:equivalentClass = wikidata:Q40231 +}}OntologyClass:انتخابات کا خاکہ20013450556402021-09-16T12:40:21Z{{Class | labels = - {{label|en|aircraft helicopter cargo}} - {{label|el|φορτίο ελικοφόρου αεροσκάφους}} - {{label|sr|теретни хеликоптер}} -| rdfs:domain = MilitaryUnit -| rdfs:range = MeanOfTransportation -| rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:AircraftHelicopterMultirole202521358002014-07-08T12:38:34Z -{{ObjectProperty +{{label|ur| انتخابات کا خاکہ}} +| rdfs:subClassOf = owl:Thing +}}OntologyClass:انتظامی علاقہ20013137574612022-04-24T09:18:01Z{{Class | labels = - {{label|en|aircraft helicopter multirole}} - {{label|de|Mehrzweck-Hubschrauber}} - {{label|el|ελικοφόρο αεροσκάφος πολλαπλών ρόλων}} - {{label|sr|вишенаменски хеликоптер}} -| rdfs:domain = MilitaryUnit -| rdfs:range = MeanOfTransportation -| rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:AircraftHelicopterObservation202522358012014-07-08T12:38:43Z -{{ObjectProperty +{{label|en|administrative region}} +{{label|ur|انتظامی علاقہ}} +| comments = + +{{comment|ur|(نتظامی علاقہ)انتظامی ادارے کے دائرہ اختیار میں ایک آبادی والی جگہ۔ یہ ادارہ یا تو ایک پورے علاقے یا ایک یا اس سے ملحقہ بستیوں کا انتظام کر سکتا ہے }} +{{comment|en|A PopulatedPlace under the jurisdiction of an administrative body. This body may administer either a whole region or one or more adjacent Settlements (town administration)}} +| rdfs:subClassOf = علاقہ +| owl:equivalentClass = schema:AdministrativeArea, wikidata:Q3455524 +}}OntologyClass:انجمن فٹ بال موسم20013689586842022-05-15T12:07:54Z{{Class | labels = - {{label|en|aircraft helicopter observation}} - {{label|el|παρατήρηση ελικοφόρου αεροσκάφους}} - {{label|sr|осматрање хеликоптером}} -| rdfs:domain = MilitaryUnit -| rdfs:range = MeanOfTransportation -| rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:AircraftHelicopterTransport202523358022014-07-08T12:38:51Z -{{ObjectProperty + +{{label|en|soccer league season}} +{{label|ur| انجمن فٹ بال موسم}} + +| rdfs:subClassOf = کھیل کی ٹیم کا موسم + +}}OntologyClass:انجن20013405579582022-05-06T01:58:03Z{{Class | labels = - {{label|en|aircraft helicopter transport}} - {{label|el|μεταφορές που πραγματοποιούνται με ελικοφόρο αεροσκάφος}} - {{label|sr|транспортни хеликоптер}} -| rdfs:domain = MilitaryUnit -| rdfs:range = MeanOfTransportation -| rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:AircraftHelicopterUtility202524358032014-07-08T12:39:12Z -{{ObjectProperty -| rdfs:label@en = aircraft helicopter utility -| rdfs:domain = MilitaryUnit -| rdfs:range = MeanOfTransportation -| rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:AircraftInterceptor202525358042014-07-08T12:39:20Z -{{ObjectProperty +{{label|en|engine}} +{{label|ur|انجن}} +| rdfs:subClassOf = آلہ +| specificProperties = {{SpecificProperty | ontologyProperty = acceleration | unit = second }} + {{SpecificProperty | ontologyProperty = displacement | unit = cubicCentimetre }} + {{SpecificProperty | ontologyProperty = weight | unit = kilogram }} + {{SpecificProperty | ontologyProperty = torqueOutput | unit = newtonMetre }} + {{SpecificProperty | ontologyProperty = width | unit = millimetre }} + {{SpecificProperty | ontologyProperty = pistonStroke | unit = millimetre }} + {{SpecificProperty | ontologyProperty = co2Emission | unit = gramPerKilometre }} + {{SpecificProperty | ontologyProperty = cylinderBore | unit = millimetre }} + {{SpecificProperty | ontologyProperty = length | unit = millimetre }} + {{SpecificProperty | ontologyProperty = height | unit = millimetre }} + {{SpecificProperty | ontologyProperty = topSpeed | unit = kilometrePerHour }} + {{SpecificProperty | ontologyProperty = powerOutput | unit = kilowatt }} + {{SpecificProperty | ontologyProperty = diameter | unit = millimetre }} +}}OntologyClass:انسانی نَسبہ20013649569262022-03-04T07:07:27Z{{ Class +|labels= +{{label|ur|انسانی نَسبہ}} +{{label|en|HumanGene}} +| rdfs:subClassOf = نَسبہ +}}OntologyClass:انسانی نَسبہ کا مقام20013656569282022-03-05T04:53:28Z{{Class +| labels = +{{label|en|HumanGeneLocation}} +{{label|ur|انسانی نَسبہ کا مقام}} +| rdfs:subClassOf =نَسبہ کا مقام +}}OntologyClass:انعام20013263579592022-05-06T02:00:15Z{{Class | labels = - {{label|en|aircraft interceptor}} - {{label|el|αναχαίτιση αεροσκάφους}} - {{label|sr|авион пресретач}} -| rdfs:domain = MilitaryUnit -| rdfs:range = MeanOfTransportation -| rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:AircraftPatrol202526358052014-07-08T12:39:28Z -{{ObjectProperty +{{label|en|award}} +{{label|ur|انعام}} +| rdfs:subClassOf = owl:Thing +| owl:equivalentClass = wikidata:Q618779 +}}OntologyClass:انگور20013517581762022-05-12T19:46:38Z{{Class +| labels = +{{label|ur|انگور}} +{{label|en| grape}} +| rdfs:subClassOf = پھولوں کا پودا +| owl:equivalentClass = wikidata:Q10978 +}}OntologyClass:انیمنگا کردار20013300577792022-05-01T10:46:05Z{{Class +| labels = {{label|en|animanga character}} +{{label|ur|انیمنگا کردار}} +| comments = {{comment|en|Anime/Manga character}} +| rdfs:subClassOf = مُضحِکہ خیزکردار +}}OntologyClass:انیمے20013922578842022-05-05T08:42:52Z{{Class | labels = - {{label|en|aircraft patrol}} - {{label|el|περιπολία αεροσκάφους}} -| rdfs:domain = MilitaryUnit -| rdfs:range = MeanOfTransportation -| rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:AircraftRecon202527358062014-07-08T12:39:37Z -{{ObjectProperty -| rdfs:label@en = aircraft recon -| rdfs:domain = MilitaryUnit -| rdfs:range = MeanOfTransportation -| rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:AircraftTrainer202528358072014-07-08T12:39:44Z -{{ObjectProperty -| rdfs:label@en = aircraft trainer +{{label|en|Anime}} +{{label|ur|انیمے}} +| comments = +{{comment|en|A style of animation originating in Japan}} +{{comment|ur|حرکت پذیری کا ایک انداز جاپان میں شروع ہوا۔}} +| rdfs:subClassOf = کارٹون +| owl:equivalentClass = wikidata:Q1107 +}} + +<ref name="anime">http://en.wikipedia.org/wiki/Anime</ref> +==References== +<references/>OntologyClass:اولمپک کا نتیجہ20013941579752022-05-06T04:54:13Z{{Class +|labels= + {{label|en|olympic result}} + {{label|ur|اولمپک کا نتیجہ}} +| rdfs:subClassOf = کھیلوں کے مقابلے کا نتیجہ +}}OntologyClass:اولمپک کھیلوں کی تقریب20013670579732022-05-06T02:50:17Z{{Class +| labels = +{{label|en|olympic event}} +{{label|ur|اولمپک کھیلوں کی تقریب}} +| rdfs:subClassOf = اولمپکس +}}OntologyClass:اولمپکس20013666579772022-05-06T04:58:21Z{{Class +| labels = +{{label|en|olympics}} +{{label|ur|اولمپکس}} +| rdfs:subClassOf = کھیلوں کی تقریب +}}OntologyClass:اونچائی سے پانی میں ڈبکی لگانے والا20014094584872022-05-14T19:02:56Z{{Class +|labels= + +{{label|en|high diver}} +{{label|ur| اونچائی سے پانی میں ڈبکی لگانے والا }} +|rdfs:subClassOf=کھلاڑی +}}OntologyClass:اوپر سطح کی ڈومین20014044583252022-05-13T17:43:08Z{{Class +| labels= +{{label|ur|اوپر سطح کی ڈومین}} +{{label|en|top level domain}} + +| specificProperties = +| rdfs:subClassOf = شناخت کنندہ +| owl:equivalentClass = wikidata:Q14296 +}}OntologyClass:اڈا20013795579982022-05-06T10:35:28Z{{Class +| labels = +{{label|ur|اڈا}} + {{label|en|station}} +| rdfs:subClassOf = بنیادی ڈھانچہ +| comments = +{{comment|ur|پبلک ٹرانسپورٹ اسٹیشن (مثلاً ریلوے اسٹیشن، میٹرو اسٹیشن، بس اسٹیشن)}} +{{comment|en|Public transport station (eg. railway station, metro station, bus station).}} +| owl:equivalentClass = wikidata:Q719456 +}}OntologyClass:اڈل20013940579652022-05-06T02:17:33Z{{Class +| labels = +{{label|en|atoll}} +{{label|ur|اڈل}} +|comments= +{{comment|ur|مرجانی چٹانوں سے بنا ہواجزیرہ}} +| rdfs:subClassOf =جزیرہ +}}OntologyClass:ایئر لائن20013236551582021-09-10T11:11:33Z{{Class +| labels = +{{label|en|airline}} +{{label|ur|ہوائی راستہ}} +|comments= +{{comment|ur|ہوائی جہازوں کے ذریعے سواریاں لے جانے والی تنظیم}} +| rdfs:subClassOf = PublicTransitSystem +| owl:equivalentClass = wikidata:Q46970 +}}OntologyClass:ایٹمی بجلی گھر20013655586062022-05-15T07:47:15Z{{Class +| labels = +{{label|en|Nuclear Power plant}} +{{label|ur|ایٹمی بجلی گھر}} +| rdfs:subClassOf =بجلی گھر +| owl:equivalentClass = wikidata:Q134447 +}}OntologyClass:ایک تدفین کی جگہ20013880576642022-04-25T09:28:32Z{{Class +| labels = +{{label|en|cemetery}} + +{{label|ur|قبرستان}} + +} + +| comments = +{{comment|en|A burial place}} +{{comment|ur|ایک تدفین کی جگہ}} +| rdfs:subClassOf = جگہ +| owl:equivalentClass = wikidata:Q39614 +}} + +== References == + +<references/>OntologyClass:ایک فہرست20014127586772022-05-15T11:50:27Z{{Class +| labels = + {{label|en|single list}} + {{label|ur|ایک فہرست}} + +| comments = + {{comment|en|A list of singles}} +{{comment|ur|اِنفرادی فہرست}} + +| rdfs:subClassOf = فہرست +}}OntologyClass:بائیتھلیٹ20013326553542021-09-11T19:03:58Z{{Class +| labels = +{{label|en|Biathlete}} +{{label|ur|بائیتھلیٹ}} +{{label|nl|Biatleet}} +{{label|de|Biathlete}} +{{label|fr|Biathlète}} +{{label|ja|バイアスロン選手}} +|comments= +{{comment|ur|ایک کھلاڑی جو بائاتھلون(کراس کنٹری سکینگ اور رائفل شارپ شوٹنگ پر مشتمل ایک جامع مقابلہ) میں مقابلہ کرتا ہے}} +| rdfs:subClassOf = WinterSportPlayer +}}OntologyClass:بادشاہ20013745580042022-05-06T10:57:15Z{{Class +| labels = + +{{label|ur|بادشاہ}} +{{label|en|monarch}} + + +|rdfs:subClassOf=شخص +| owl:equivalentClass = wikidata:Q116 +}}OntologyClass:باسکٹ بال کھلاڑی20013353578192022-05-01T15:22:39Z{{Class +| labels = +{{label|ur|باسکٹ بال کھلاڑی}} +{{label|en|basketball player}} +| rdfs:subClassOf = کھلاڑی +|comments = +{{comment|ur|باسکٹ بال کے کھیل میں شامل ایک کھلاڑی}} +| owl:equivalentClass = wikidata:Q3665646 +}}OntologyClass:باسکٹ بال کی انجمن20013911578132022-05-01T15:15:16Z{{Class +| rdfs:label@en = basketball league + + + +|labels = + + +{{label|ur|باسکٹ بال کی انجمن}} +| rdfs:comment@en = a group of sports teams that compete against each other in Basketball +| comments = {{comment|ur|کھیلوں کی ٹیموں کا ایک گروپ جو باسکٹ بال میں ایک دوسرے سے مقابلہ کرتا ہے}} + +| rdfs:subClassOf = کھیلوں کی انجمن +}}OntologyClass:باسکٹ بال کی جماعت20013185587352022-05-16T18:26:21Z{{Class +| labels = +{{label|ur|باسکٹ بال کی جماعت}} +{{label|en|basketball team}} +| rdfs:subClassOf = کھیل کی جماعت + +}}OntologyClass:باغ20013229581652022-05-12T19:16:06Z{{Class +| labels = +{{label|ur|باغ}} +{{label|en|garden}} +| comments = +{{comment|ur|باغ ایک منصوبہ بند جگہ ہے ، عام طور پر باہر ، ڈسپلے ، کاشت ، اور پودوں اور فطرت کی دیگر اقسام سے لطف اندوز ہونے کے لیے + (http://en.wikipedia.org/wiki/Garden)}} +{{comment|en|A 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)}} +| rdfs:subClassOf = جگہ +| owl:equivalentClass = wikidata:Q1107656 +}}OntologyClass:بالغ اداکار20013588577092022-04-26T11:27:29Z{{Class +| labels = +{{label|en|adult (pornographic) actor}} +{{label|ur|بالغ اداکار}} +| comments = +{{comment|en|A pornographic actor or actress or a porn star is a person who performs sex acts in film, normally characterised as a pornographic film.}} +{{comment|ur|ایک فحش اداکار یا اداکارہ یا پورن سٹار وہ شخص ہوتا ہے جو فلم میں جنسی حرکتیں کرتا ہے، عام طور پر اسے فحش فلم کے طور پر دیکھا جاتا ہے۔}} +| owl:equivalentClass = wikidata:Q488111 +| rdfs:subClassOf = اداکار +}}OntologyClass:بالنگ ٹیموں کی انجمن20013244578512022-05-02T12:00:48Z{{Class +| labels = +{{label|ur|بالنگ_ٹیموں_کی_انجمن}} +{{label|en|bowling league}} +| rdfs:subClassOf = کھیلوں کی انجمن +|comments = +{{comment|ur|کھیلوں کی ٹیموں یا کھلاڑیوں کا ایک گروہ جو بولنگ میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں۔}} +{{comment|en|a group of sports teams or players that compete against each other in Bowling}} +}}OntologyClass:باورچی20013848575182022-04-24T11:32:36Z{{Class +| labels = + +{{label|en|chef}} + +{{label|ur|باورچی}} + +| comments = +{{comment|en|a person who cooks professionally for other people}} +{{comment|ur|وہ شخص جو پیشہ ورانہ طور پر دوسرے لوگوں کے لیے کھانا پکاتا ہے۔}} +| rdfs:subClassOf = شخص +}}OntologyClass:باہمی مقابلہ20013156582542022-05-13T10:36:58Z{{Class +| labels = +{{label|ur|باہمی مقابلہ}} +{{label|en|tournament}} +| rdfs:subClassOf = کھیلوں کی تقریب +| owl:equivalentClass = wikidata:Q500834 +}}OntologyClass:بجلی گھر20013657563142022-02-16T12:33:43Z{{Class +| labels = + {{label|en|power station}} + + {{label|ur|بجلی گھر}} +| rdfs:subClassOf = بنیادی ڈھانچہ +| owl:equivalentClass = wikidata:Q159719 +}}OntologyClass:برادری20013589575572022-04-24T14:43:04Z{{Class +| labels = +{{label|en|Community}} +{{label|ur|برادری}} +| rdfs:subClassOf = آبادی والی جگہ +| comments = +{{comment|en| A community is a group of living organisms, people, plants or animals that live in a common environment. }} +{{comment|ur|کمیونٹی جانداروں، لوگوں، پودوں یا جانوروں کا ایک گروپ ہے جو ایک مشترکہ ماحول میں رہتے ہیں۔}} +}}OntologyClass:برازیلی رقص سکول20013679586432022-05-15T10:20:46Z{{Class +| labels = +{{label|en| samba school}} +{{label|ur|برازیلی رقص سکول}} +| rdfs:subClassOf = تنظیم +}}OntologyClass:براعظم20013170576912022-04-25T11:37:22Z{{Class +| labels = +{{label|en|continent}} +{{label|ur|براعظم}} +| rdfs:subClassOf = آبادی والی جگہ +| owl:equivalentClass = schema:Continent +|comments = +{{comment|ur|براعظم زمین کا ایک بڑا علاقہ ہے جو زمین کی پرت سے نکلا ہے ، درحقیقت یہ ان سب سے بڑی تقسیم ہے جس کے ساتھ ابھرتی ہوئی زمینیں تقسیم کی گئی ہیں۔}} +}} +== References == +<references />OntologyClass:براڈکاسٹ نیٹ ورک20013416555702021-09-15T08:16:55Z{{Class +| labels = +{{label|en|broadcast network}} +{{label|el|δίκτυο ραδιοφωνικής μετάδοσης}} +{{label|de|Sendergruppe}} +{{label|fr|chaîne de télévision généraliste}} +{{label|ur| +براڈکاسٹ نیٹ ورک}} +{{label|ga|líonra craolacháin}} +{{label|ja|ネットワーク_(放送)}} +{{label|nl|omroeporganisatie}} +{{label|pl|sieć emisyjna}} +{{label|ko| 브로드캐스트 네트워크}} +{{label|it|emittente}} +| rdfs:subClassOf = Broadcaster +| comments = +{{comment|en|A 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)}} +{{comment|ur|براڈکاسٹ نیٹ ورک ایک تنظیم ہے ، جیسے کارپوریشن یا دیگر ایسوسی ایشن ، جو ریڈیو یا ٹیلی ویژن اسٹیشنوں کے گروپ پر نشر کرنے کے لیے لائیو یا ریکارڈ شدہ مواد ، جیسے فلمیں ، نیوز کاسٹ ، کھیل اور عوامی امور کے پروگرام مہیا کرتی ہے۔ +)}} +{{comment|el|Ένα δίκτυο μετάδοσης είναι μια οργάνωση, όπως μια εταιρεία ή άλλη ένωση, που παρέχει ζωντανό ή μαγνητοσκοπημένο περιεχόμενο, όπως ταινίες, δελτία ειδήσεων, αθλητικά, και τα προγράμματα δημοσίων υποθέσεων για την εκπομπή πάνω από μια ομάδα ραδιοφωνικών ή τηλεοπτικών σταθμών}} +| owl:equivalentClass = wikidata:Q141683 +}}OntologyClass:برطانوی بادشاہی20013250587332022-05-16T17:55:05Z{{Class +| labels = +{{label|ur|برطانوی بادشاہی}} +{{label|en|British royalty}} +| rdfs:subClassOf = شاہی +}}OntologyClass:برف پر پھسلنے میں جِسمانی ورزِشوں کا مُقابلہ کا کھلاڑی20013915578332022-05-01T18:30:48Z{{Class +| labels = + +{{label|ur|برف پر پھسلنے میں جِسمانی ورزِشوں کا مُقابلہ کا کھلاڑی}} + +{{label|en|Biathlete}} +| rdfs:subClassOf = سرمائی کھیل کھیلنے والا +}}OntologyClass:برف کا تودہ20013472582352022-05-13T09:40:28Z{{Class +| labels = +{{label|ur|برف کا تودہ}} +{{label|en|glacier}} +| rdfs:subClassOf = قدرتی جگہ +| owl:equivalentClass = wikidata:Q35666 +}}OntologyClass:برفانی ہاکی کا کھلاڑی20013660587542022-05-16T19:27:47Z{{Class +| labels = + +{{label|ur|برفانی ہاکی کا کھلاڑی}} +{{label|en|ice hockey player}} +| rdfs:subClassOf = سرمائی کھیل کھیلنے والا +| owl:equivalentClass = wikidata:Q11774891 +}}OntologyClass:برفانی ہاکی کی انجمن20014142587682022-05-16T19:44:01Z{{Class +| labels = +{{label|ur|برفانی ہاکی کی انجمن}} +{{label|en|ice hockey league}} + +| rdfs:subClassOf =کھیلوں کی انجمن +| comments = + +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروپ جو برفانی ہاکی میں ایک دوسرے سے مقابلہ کرتا ہے}} +{{comment|en|a group of sports teams that compete against each other in Ice Hockey.}} +}}OntologyClass:برقی ذیلی مرکز20013287583402022-05-14T05:32:01Z{{Class +| labels = + {{label|ur|برقی ذیلی مرکز}} + +|comments= +{{comment|ur|برقی ذیلی مرکزوولٹیج کو زیادہ سے کم، یا برعکس میں تبدیل کرتے ہیں۔}} + +| rdfs:subClassOf = بنیادی ڈھانچہ +}}OntologyClass:برقی طاقت پیدا کرنے کا آلہ20013912578212022-05-01T15:31:40Z{{Class +| labels = + +{{label|ur|برقی طاقت پیدا کرنے کا آلہ}} +{{label|en|battery}} +| comments = +{{comment|ur|بیٹری (قسم) گاڑیوں میں توانائی کے منبع کے طور پر استعمال ہوتی ہے}} +{{comment|en|The battery (type) used as energy source in vehicles.}} +| rdfs:domain = MeanOfTransportation +| rdfs:subClassOf =آلہ +| owl:equivalentClass = wikidata:Q267298 +}}OntologyClass:بس كا تِجارتی اِدارہ20014140587512022-05-16T19:08:32Z{{Class +| labels = + +{{label|ur|بس كا تِجارتی اِدارہ}} +{{label|en|bus company}} + +| rdfs:subClassOf = عوامی راہداری کا نظام +}}OntologyClass:بستی20013282574922022-04-24T10:37:18Z{{Class +| labels = +{{label|en|settlement}} +{{label|ur|بستی}} +| rdfs:subClassOf = آبادی والی جگہ +| owl:equivalentClass = wikidata:Q486972 +}}OntologyClass:بشپ کے تحت حلقہ20014039583102022-05-13T16:46:50Z{{Class +| labels = +{{label|ur|بشپ کے تحت حلقہ}} +| comments = +{{comment|ur|ڈسٹرکٹ یا ایک بشپ کی نگرانی میں دیکھیں۔}} +| rdfs:subClassOf = علمی انتظامی علاقہ +}}OntologyClass:بصری کھیل20014074584072022-05-14T14:37:27Z{{Class +| labels = +{{label|ur|بصری کھیل}} +{{label|en|video game}} + +| comments = +{{comment|ur|بصری کھیل ایک الیکٹرانک گیم ہے جس میں ویڈیو ڈیوائس پر بصری تاثرات پیدا کرنے کے لیے صارف کے انٹرفیس کے ساتھ تعامل شامل ہوتا ہے}} +{{comment|en|A video game is an electronic game that involves interaction with a user interface to generate visual feedback on a video device.}} +| rdfs:subClassOf = تحریری پروگراموں کا مجموعہ +| owl:equivalentClass = wikidata:Q7889 +}}OntologyClass:بصری کھیلوں کی انجمن20014085584432022-05-14T17:08:35Z{{Class +| labels = +{{label|ur|بصری کھیلوں کی انجمن}} +{{label|en|videogames league}} + +| comments = +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروپ یا شخص جو بصری کھیلوں میں ایک دوسرے سے مقابلہ کرتا ہے}} +{{comment|en|A group of sports teams or person that compete against each other in videogames.}} + +| rdfs:subClassOf = کھیلوں کی انجمن +}}OntologyClass:بغیر پُہولوں کا سدا بہار پودا20013329576132022-04-24T17:44:55Z{{Class +| labels = +{{label|en|club moss}} +{{label|ur|بغیر پُہولوں کا سدا بہار پودا}} +| rdfs:subClassOf = پودا +}}OntologyClass:بلدیہ20013585579812022-05-06T07:28:51Z{{Class +| labels = +{{label|ur|بلدیہ}} +{{label|en|municipality}} +| comments = +{{comment|ur|ایک انتظامی ادارہ جو نچلی سطح پر علاقائی اتحاد کو کنٹرول کرتا ہے، ایک یا چند مزید بستیوں کا انتظام کرتا ہے}} +{{comment|en|An administrative body governing a territorial unity on the lower level, administering one or a few more settlements}} +| rdfs:subClassOf = حکومتی انتظامی علاقہ +| owl:equivalentClass = +}}OntologyClass:بلندی20013377577372022-04-26T12:02:43Z{{Class +| labels = +{{label|en|altitude}} +{{label|ur|بلندی}} +| owl:equivalentClass = wikidata:Q190200 +}}OntologyClass:بلی20013308576032022-04-24T17:07:28Z{{Class +| labels = +{{label|en|cat}} +{{label|ur|بلی}} +| rdfs:subClassOf = تھن والے جانور +| owl:disjointWith = <!--Dog--> <!-- due to a bug cannot declare 2-way disjointness, this is declared in class Dog and transitively applies to cat--> +| owl:equivalentClass = wikidata:Q146 +}}OntologyClass:بلیزن20013412555622021-09-15T08:08:55Z{{Class +| labels = + {{label|en|Blazon}} +{{label|ur|بلیزن}} + {{label|fr|Blason}} + {{label|nl|blazoen (wapenschild)}} + {{label|el|οικόσημο}} + {{label|de|Wappen}} + {{label|ja|紋章記述}} + +| rdfs:subClassOf = owl:Thing +}}OntologyClass:بند20013274557612021-09-17T18:26:13Z{{Class +| labels = + +{{label|ur|بند}} + +| rdfs:subClassOf = بنیادی ڈھانچہ +| comments = +{{comment|ur|بند ایک لمبی قدرتی طور پر واقع رکاوٹ یا مصنوعی طور پر تعمیر شدہ ذخیرہ یا دیوار ہے ، جو پانی کی سطح کو کنٹرول کرتی ہے۔}} +}}OntologyClass:بندرگاہ20013988585822022-05-15T06:45:38Z{{Class +| labels = + {{label|en|Port}} +{{label|ur|بندرگاہ}} + +| comments = +{{comment|en|a location on a coast or shore containing one or more harbors where ships can dock and transfer people or cargo to or from land.}} +{{comment|ur|ساحل یا ساحل پر ایک مقام جس میں ایک یا زیادہ بندرگاہیں ہوں جہاں بحری جہاز لوگوں یا سامان کو زمین پر یا اس سے منتقل کر سکتے ہیں}} +| rdfs:subClassOf = بنیادی ڈھانچہ +| owl:equivalentClass = wikidata:Q44782 +}}OntologyClass:بندهن20013627585362022-05-14T20:07:44Z{{Class +| rdfs:subClassOf = جسمانی ساخت +| labels = + {{label|en|ligament}} +{{label|ur|بندهن}} +| owl:equivalentClass = wikidata:Q39888 +}}OntologyClass:بنیادی ڈھانچہ20013275587562022-05-16T19:29:37Z{{Class +| labels = + +{{label|ur|بنیادی ڈھانچہ}} +{{label|en|infrastructure}} +| rdfs:subClassOf = تعمیراتی ڈھانچے +}}OntologyClass:بوبسلیگ ایتھلیٹ20013413558202021-09-17T20:36:38Z{{Class +| labels = + +{{label|ur|بوبسلیگ ایتھلیٹ}} + +| rdfs:subClassOf = سرمائی کھیل کھیلنے والا +}}OntologyClass:بوبسلیگ کھلاڑی20013916578462022-05-02T11:36:13Z{{Class +| labels = +{{label|ur|بوبسلیگ کھلاڑی}} +{{label|en|BobsleighAthlete}} +| rdfs:subClassOf = سرمائی کھیل کھیلنے والا +}}OntologyClass:بورڈ کھیل20013240578442022-05-02T11:32:04Z{{Class +| labels = +{{label|ur|بورڈ کھیل}} +{{label|en|board game}} +| rdfs:subClassOf = کھیل +| owl:equivalentClass = wikidata:Q131436 +|comments = +{{comment|ur|ایک بورڈ گیم ایک ایسا کھیل ہے جس کے لیے ایک اچھی طرح سے متعین کردہ سطح کی ضرورت ہوتی ہے ، جسے عام طور پر ایک بورڈ کہا جاتا ہے۔}} +{{comment|en|come from http://en.wikipedia.org/wiki/Category:Board_games}} +}} + +== References == +<references />OntologyClass:بُرج آب20014095584962022-05-14T19:15:09Z{{Class +| labels = +{{label|ur|بُرج آب}} +{{label|en|Water tower}} +| rdfs:subClassOf =مینار +| comments = +{{comment|ur| پانی کی فراہمی کے نظام پر دباؤ برقرار رکھنے کے لیے کچھ بلندی کی جگہ پر پانی کی بڑی مقدار کو ذخیرہ کرنے کے لیے ڈیزائن کیا گیا ایک تعمیر}} +{{comment|en|a construction designed to store larger quantities of water at a place of some elevation in order to keep pressure on the water provision system}} +| owl:equivalentClass = wikidata:Q274153 +}}OntologyClass:بھورا بونا20013259578632022-05-02T16:10:58Z{{Class +| labels = +{{label|ur|بھورا بونا}} +{{label|en|brown dwarf}} +| rdfs:subClassOf = ستارہ +| owl:equivalentClass = wikidata:Q101600 +}}OntologyClass:بیرون ملک کے محکمے20013765584472022-05-14T17:23:08Z{{Class +| labels = +{{label|en|overseas department}} +{{label|ur|بیرون ملک کے محکمے}} +| rdfs:subClassOf = شعبہ +| owl:equivalentClass = wikidata:Q202216 +}}OntologyClass:بیس بال لیگ20013168558582021-09-17T21:45:16Z{{Class +| labels = + +{{label|ur|بیس بال لیگ}} +| rdfs:subClassOf = کھیلوں کی انجمن + +| comments = +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروہ جو بیس بال میں ایک دوسرے کے خلاف مقابلہ کرتا ہے۔.}} +| owl:equivalentClass = wikidata:Q6631808 +}}OntologyClass:بیس بال کا موسم20013352578052022-05-01T14:55:55Z{{Class +| labels = +{{label|ur|بیس بال کا موسم}} +{{label|en|baseball season}} +| rdfs:subClassOf = کھیل کی ٹیم کا موسم + + +}}OntologyClass:بیس بال کا کھلاڑی20013408578042022-05-01T14:52:35Z{{Class +| labels= + +{{label|ur|بیس بال کا کھلاڑی}} +{{label|en|baseball player}} +| rdfs:subClassOf = کھلاڑی +| comments = +| owl:equivalentClass = wikidata:Q10871364 +}}OntologyClass:بیس بال کی انجمن20013910578022022-05-01T14:48:18Z{{Class +| labels = +{{label|ur|بیس بال کی انجمن}} +{{label|en|baseball league}} +| comments = +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروہ جو بیس بال میں ایک دوسرے کے خلاف مقابلہ کرتا ہے}} +{{comment|en|a group of sports teams that compete against each other in Baseball}} +| rdfs:subClassOf = کھیلوں کی انجمن +| owl:equivalentClass = wikidata:Q6631808 +}}OntologyClass:بیس بال کی جماعت20013178587342022-05-16T18:23:23Z{{Class +| labels = +{{label|ur|بیس بال کی جماعت}} +{{label|en|baseball team}} +| rdfs:subClassOf = کھیل کی جماعت +}}OntologyClass:بیل کا مُقابلہ کرنے والا20013252558402021-09-17T21:24:40Z{{Class +| labels = + {{label|ur|بیل کا مُقابلہ کرنے والا}} + +| rdfs:subClassOf = کھلاڑی +}}OntologyClass:بیماری20013277583132022-05-13T16:51:55Z{{Class +| labels = +{{label|ur|بیماری}} +| rdfs:subClassOf = owl:Thing +| owl:equivalentClass = wikidata:Q12136 +}}OntologyClass:بین الاقوامی تنظیم20013646587642022-05-16T19:39:52Z{{Class +|labels= + +{{label|ur|بین الاقوامی تنظیم}} +{{label|en|international organisation}} +| rdfs:subClassOf=تنظیم + +|comments= + +{{comment|ur|ایک بین الاقوامی تنظیم یا تو ایک نجی یا عوامی تنظیم ہے جو ملک کی سرحدوں سے اہداف حاصل کرنے کی کوشش کرتی ہے۔}} +{{comment|en|An international organisation is either a private or a public organisation seeking to accomplish goals across country borders}} +}}OntologyClass:بین الاقوامی فٹ بال انجمن کی تقریب20014141587602022-05-16T19:34:25Z{{Class +| labels = +{{label|ur|بین الاقوامی فٹ بال انجمن کی تقریب}} +{{label|en|international football league event}} + +| rdfs:subClassOf = کھیلوں کی تقریب +}}OntologyClass:بینک20013407577962022-05-01T12:24:24Z{{Class +| labels = + +{{label|ur|بینک +}} +{{label|en|bank}} + +| rdfs:subClassOf = تِجارتی اِدارہ +| owl:equivalentClass = schema:BankOrCreditUnion +| comments = {{comment|ur|ایک تِجارتی اِدارہ جس کی اہم خدمات بینکنگ یا مالیاتی خدمات ہیں}} +{{comment|en|a company which main services are banking or financial services.}} +}}OntologyClass:بیچ والی بال پلیئر20013411558142021-09-17T20:20:00Z{{Class +| labels = + +{{label|ur|بیچ والی بال پلیئر}} + + +| rdfs:subClassOf = والی بال پلیئر۔ +}}OntologyClass:بیڈمنٹن کا کھلاڑی20013350577932022-05-01T12:10:17Z{{Class +| labels = +{{label|ur|بیڈمنٹن کا کھلاڑی}} +{{label|en|badminton player}} + +| rdfs:subClassOf = کھلاڑی + +}}OntologyClass:بے پھول کا بڑے پتوں والا پودا20013995581302022-05-12T17:04:54Z{{Class +| labels = + +{{label|ur| بے پھول کا بڑے پتوں والا پودا}} +{{label|en| fern}} +| rdfs:subClassOf = پودا +}}OntologyClass:تاریخ سے پہلے کے زمانے کا دور20013992585832022-05-15T06:46:57Z{{Class +|labels= +{{label|en|prehistorical period}} +{{label|ur|تاریخ سے پہلے کے زمانے کا دور}} +| rdfs:subClassOf = وقت کی مدت +| owl:disjointWith = شخص +| owl:disjointWith = تاریخی دور +}}OntologyClass:تاریخی آبادکاری20013523584832022-05-14T18:55:07Z{{Class +| labels = +{{label|en|Historical settlement}} +{{label|ur|تاریخی آبادکاری}} +| comments = +{{comment|en|A place which used to be a city or town or village.}} +{{comment|ur|وہ جگہ جو پہلے شہر یا قصبہ یا گاؤں ہوا کرتی تھی}} +| rdfs:subClassOf = بستی +}}OntologyClass:تاریخی تعمیر20013520559362021-09-18T05:39:19Z{{Class +| labels = +{{label|ur|تاریخی تعمیر}} +| rdfs:subClassOf = عمارت, schema:LandmarksOrHistoricalBuildings +| owl:equivalentClass = +}}OntologyClass:تاریخی دور20013522584822022-05-14T18:52:59Z{{Class +|labels= +{{label|en|historical period}} +{{label|ur|تاریخی دور}} +| comments= +{{comment|en|A historical Period should be linked to a Place by way of the property dct:spatial (already defined)}} + +{{comment|ur|یک تاریخی ادوار کو جائیداد کے ذریعے کسی جگہ سے جوڑا جانا چاہیے۔}} +| rdfs:subClassOf = وقت کی مدت +| owl:equivalentClass = cidoccrm:E4_Period +| owl:disjointWith = شخص +| owl:equivalentClass = wikidata:Q11514315 +}}OntologyClass:تاریخی صوبہ20013532584922022-05-14T19:10:23Z{{Class +| labels = +{{label|en|Historical province}} +{{label|ur|تاریخی صوبہ}} +| comments = + {{comment|en|A place which used to be a province.}} + +{{comment|ur|یک ایسی جگہ جو ایک صوبہ ہوا کرتی تھی۔}} +| rdfs:subClassOf = صوبہ +}}OntologyClass:تاریخی ضلع20013530584892022-05-14T19:06:07Z{{Class +| labels = +{{label|en|Historical district}} +{{label|ur|تاریخی ضلع}} +| comments = +{{comment|en|a place which used to be a district.}} +{{comment|ur|یک ایسی جگہ جو پہلے ضلع ہوتی تھی۔}} +| rdfs:subClassOf = ضلع +}}OntologyClass:تاریخی علاقہ20013205584672022-05-14T18:29:28Z{{Class +| labels = +{{label|en|Historical region}} +{{label|ur|تاریخی علاقہ}} +| comments = +{{comment|en|a place which used to be a region.}} +{{comment|ur|ایک ایسی جگہ جو ایک علاقہ ہوا کرتی تھی}} +| rdfs:subClassOf = علاقہ +| owl:equivalentClass = wikidata:Q1620908 +}}OntologyClass:تاریخی عمارت20014092584742022-05-14T18:42:57Z{{Class +| labels = +{{label|en|historic building}} + +{{label|ur|تاریخی عمارت}} +| rdfs:subClassOf = عمارت +| owl:equivalentClass = +}}OntologyClass:تاریخی مقام20013528584882022-05-14T19:04:22Z +{{Class +| labels = +{{label|en|historic place}} +{{label|ur|تاریخی مقام}} +| rdfs:subClassOf = جگہ +| owl:equivalentClass = +}}OntologyClass:تاریخی ملک20013764584812022-05-14T18:49:37Z{{Class +| labels = +{{label|en|Historical country}} +{{label|ur|تاریخی ملک}} +| comments = +{{comment|en|A place which used to be a country.}} +{{comment|en|ایک ایسی جگہ جو ایک ملک ہوا کرتی تھی۔}} +| rdfs:subClassOf = ملک + +}}OntologyClass:تاریخی واقعہ20013204584662022-05-14T18:27:06Z{{Class +| labels = +{{label|en|historical event}} +{{label|ur|تاریخی واقعہ}} +| comments = +{{comment|en|an event that is clearly different from strictly personal events and had historical impact}} +{{comment|ur|ایک ایسا واقعہ جو ذاتی واقعات سے واضح طورپرمختلف ہوجونمایاں، تاریخ بدلنےوالااثررکھتا ہے}} +| rdfs:subClassOf = معاشرتی واقعہ +}}OntologyClass:تاش20013423576492022-04-25T08:30:13Z{{Class +| labels = +{{label|en|card game}} + +{{label|ur|تاش}} + +|comments = +{{comment|en|come from http://en.wikipedia.org/wiki/Category:Card_games}} +{{comment|ur|سے آئے http://en.wikipedia.org/wiki/زمرہ: کارڈ گیمز }} +| rdfs:subClassOf = کھیل +| owl:equivalentClass = wikidata:Q142714 +}} + + +== References == +<references />OntologyClass:تالا20013637585392022-05-14T20:20:08Z{{Class +| labels = +{{label|en|lock}} +{{label|ur|تالا}} +| rdfs:subClassOf = بنیادی ڈھانچہ +}}OntologyClass:تجارتی ادارہ20013502578572022-05-02T12:23:45Z{{Class +| labels = + +{{label|ur|تِجارتی اِدارہ}} +{{label|en|company}} +| rdfs:subClassOf = تنظیم +| owl:equivalentClass = wikidata:Q4830453 +}}OntologyClass:تحریری پروگراموں کا مجموعہ20013691584102022-05-14T14:40:52Z{{Class +| labels = + +{{label|ur|تحریری پروگراموں کا مجموعہ}} +{{label|en|software}} +| rdfs:subClassOf = کام +| specificProperties = {{SpecificProperty | ontologyProperty = fileSize | unit = megabyte }} +| owl:equivalentClass = wikidata:Q7397 +}}OntologyClass:تحریری کام20013618574572022-04-24T08:58:48Z{{Class +|labels = +{{label|ur|تحریری کام}} +{{label|en|written work}} +| comments = +{{comment|ur|تحریری کام کسی بھی متن کو پڑھنے کے لیے لکھا جاتا ہے (مثال کے طور پر: کتابیں ، اخبار ، مضامین)}} +{{comment|en|Written work is any text written to read it (e.g.: books, newspaper, articles)}} +| rdfs:subClassOf = کام +| owl:equivalentClass = wikidata:Q234460 +}}OntologyClass:تربیت کرنے والا20013141575462022-04-24T14:25:46Z{{Class +| labels = +{{label|en|coach}} +{{label|ur|تربیت کرنے والا}} + +| rdfs:subClassOf = شخص +}}OntologyClass:تشریح20013393578852022-05-05T08:46:59Z{{Class +| labels = +{{label|en|Annotation}} +{{label|ur|تشریح}} +| rdfs:subClassOf = تحریری کام +| owl:equivalentClass = schema:Comment, bibo:Note +}}OntologyClass:تصور20014128586802022-05-15T11:58:22Z{{Class +| labels = + +{{label|en|Concept}} +{{label|ur|تصور}} +| rdfs:subClassOf = owl:Thing +}}OntologyClass:تصویر20013663587552022-05-16T19:28:45Z{{Class +| labels = +{{label|ur|تصویر}} +{{label|en|image}} + +| comments = +{{comment|ur|ایک دستاویز جس میں بصری عکس ہو۔}} +{{comment|en|A document that contains a visual image}} +| rdfs:subClassOf = دستاویز +| owl:equivalentClass = foaf:Image, http://www.w3.org/ns/ma-ont#Image +}}OntologyClass:تصویر کھینچنے کا آلہ20013254575902022-04-24T16:32:04Z{{Class +| labels = +{{label|en|camera}} + {{label|ur|تصویر کھینچنے کا آلہ}} +| rdfs:subClassOf = آلہ +|comments = +{{comment|ur|ایک کیمرہ (اطالوی میں روایتی طور پر کیمرے کے نام سے جانا جاتا ہے) ایک ایسا آلہ ہے جو فوٹو گرافی کی شوٹنگ اور حقیقی اشیاء کی تصاویر حاصل کرنے کے لیے استعمال کیا جاتا ہے جو کاغذ پر چھپ سکتی ہیں یا الیکٹرانک میڈیا پر محفوظ کی جا سکتی ہیں۔}} +}} + +== References == +<references />OntologyClass:تصویروں اور دستخط کی کتاب20013895577312022-04-26T11:50:24Z{{Class +| labels = +{{label|en|album}} +{{label|ur|تصویروں اور دستخط کی کتاب}} + +| rdfs:subClassOf = موسیقی کا کام +| owl:equivalentClass = schema:MusicAlbum , wikidata:Q482994 +}}OntologyClass:تعلیمی20013841574482022-04-24T07:13:40Z{{Class +| labels = + {{label|en|Academic Person}} + {{label|ur|تعلیمی}} +| rdfs:subClassOf = شخص +}}OntologyClass:تعلیمی ادارے20013145576832022-04-25T11:21:41Z{{Class +| labels = +{{label|en|educational institution}} +{{label|ur|تعلیمی ادارے}} +| rdfs:subClassOf = تنظیم +| owl:equivalentClass = schema:EducationalOrganization, wikidata:Q2385804 +}}OntologyClass:تعلیمی جریدہ20013842574522022-04-24T08:33:46Z{{Class +| labels = +{{label|en|academic journal}} +{{label|ur| تعلیمی جریدہ }} + +| rdfs:subClassOf = متواتر ادب +| comments = + +{{comment|en|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.}} +{{comment|ur|تعلیمی جریدہ زیادہ تر ہم مرتبہ نظرثانی شدہ جریدہ ہے جس میں کسی خاص تعلیمی ادب سے متعلق وظیفہ شائع کیا جاتا ہے۔ تعلیمی جرائد نئی تحقیق کی جانچ پڑتال اور موجودہ تحقیق کی تنقید کے تعارف اور پیشکش کے لیے عوامی جرگہ کے طور پر کام کرتے ہیں۔ مواد عام طور پر مضامین کی شکل اختیار کرتا ہے جو اصل تحقیق، جائزہ مضامین، اور کتاب کے جائزے پیش کرتے ہیں۔}} + +| owl:equivalentClass = wikidata:Q737498 +}}OntologyClass:تعلیمی مضمون20013373574582022-04-24T09:00:22Z{{Class +|labels= +{{label|en|academic subject}} +{{label|ur|تعلیمی مضمون}} +| comments = +{{comment|en|Genres of art, e.g. Mathematics, History, Philosophy, Medicine}} +{{comment|ur|آرٹ کی انواع، جیسے ریاضی، تاریخ، فلسفہ، طب}} +| rdfs:subClassOf = موضوع کا تصور +| owl:equivalentClass = wikidata:Q11862829 +}}OntologyClass:تعلیمی کانفرنس20013094574492022-04-24T08:15:02Z{{Class +| labels = +{{label|en|academic conference}} +{{label|ur| تعلیمی کانفرنس }} + + + +| rdfs:subClassOf = معاشرتی واقعہ +| owl:equivalentClass = wikidata:Q2020153 +}}OntologyClass:تعمیراتی ڈھانچہ20013516576342022-04-24T18:28:23Zhttp://mappings.dbpedia.org/index.php/OntologyClass:ArchitecturalStructure +{{Class +| labels = +{{label|en|architectural structure}} +{{label|ur| تعمیراتی ڈھانچہ}} + +| comments = +{{comment|en|An architectural structure is a human-made, free-standing, immobile outdoor construction (http://en.wikipedia.org/wiki/Architectural_structure).}} + +{{comment|ur|یہ تعمیراتی ڈھانچے مواد سے بنے ہیں۔، آزادانہ ، غیر مستحکم بیرونی تعمیر۔}} +| rdfs:subClassOf = owl:Thing +}}OntologyClass:تعمیراتی ڈھانچے20013276587572022-05-16T19:30:10Zhttp://mappings.dbpedia.org/index.php/OntologyClass:ArchitecturalStructure +{{Class +| labels = + +{{label|ur| تعمیراتی ڈھانچے}} +{{label|en|architectural structure}} + +| comments = +{{comment|ur|یہ تعمیراتی ڈھانچے مواد سے بنے ہیں۔، آزادانہ ، غیر مستحکم بیرونی تعمیر۔}} +{{comment|en|An architectural structure is a human-made, free-standing, immobile outdoor construction (http://en.wikipedia.org/wiki/Architectural_structure).}} + + + +| rdfs:subClassOf = owl:Thing +}}OntologyClass:تفریح گاہ20013961585732022-05-15T06:21:28Z{{Class +| labels = +{{label|ur|تفریح گاہ}} +{{label|en|park}} +| comments= +{{comment|en|A park is an area of open space provided for recreational use. http://en.wikipedia.org/wiki/Park}} + +{{comment|ur|پارک کھلی جگہ کا ایک علاقہ ہے جو تفریحی استعمال کے لیے فراہم کی جاتی ہے۔}} +| rdfs:subClassOf = جگہ +| owl:equivalentClass = schema:Park +}}OntologyClass:تفریحی پارک کی کشش20013299577612022-04-26T12:32:04Z{{Class +| labels = +{{label|en|amusement park attraction}} +{{label|ur|تفریحی پارک کی کشش}} + +| rdfs:subClassOf = تعمیراتی ڈھانچے +}}OntologyClass:تقریب20013159575892022-04-24T16:27:38Z{{Class +| labels = +{{label|en|event}} +{{label|ur|تقریب}} +| owl:disjointWith = شخص +| owl:equivalentClass = schema:Event, dul:Event, wikidata:Q1656682 +}}OntologyClass:تماشا گاہ20014026582802022-05-13T11:52:35Z{{Class +| labels = +{{label|ur|تماشا گاہ}} +{{label|en|theatre}} +| rdfs:subClassOf = پنڈال +| comments = +{{comment|ur|ایک تھیٹر یا تھیٹر (ایک پلے ہاؤس بھی) ایک ڈھانچہ ہے جہاں تھیٹر کے کام یا ڈرامے پیش کیے جاتے ہیں یا دیگر پرفارمنس جیسے میوزیکل کنسرٹ تیار کیے جا سکتے ہیں}} +{{comment|en|A 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.}} +| owl:equivalentClass = wikidata:Q24354 +}}OntologyClass:تماشہ20013973585972022-05-15T07:37:08Z{{Class +|labels= + {{label|en|play}} +{{label|ur|تماشہ}} +| rdfs:subClassOf = تحریری کام +|comments= +{{comment|en|A 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.}} + +{{comment|ur|ڈرامہ ادب کی ایک شکل ہے جسے ڈرامہ نگار نے لکھا ہے، عام طور پر کرداروں کے درمیان تحریری مکالمے پر مشتمل ہوتا ہے، جس کا مقصد صرف پڑھنے کے بجائے تھیٹر کی کارکردگی کے لیے ہوتا ہے۔}} + +| owl:equivalentClass = wikidata:Q25379 +}}OntologyClass:تن ساز20013243578472022-05-02T11:38:27Z{{Class +| labels = + +{{label|ur|تن ساز}} +{{label|en|bodybuilder}} +| rdfs:subClassOf = کھلاڑی +| owl:equivalentClass = wikidata:Q15982795 +}}OntologyClass:تنظیم20013489584152022-05-14T15:03:45Z{{Class +| labels = + {{label|en|organisation}} + {{label|ur|تنظیم}} +| rdfs:subClassOf = نمائندہ +| owl:equivalentClass = schema:Organization, dul:SocialPerson, wikidata:Q43229 +| owl:disjointWith = Person +| owl:disjointWith = wgs84_pos:SpatialThing +}}OntologyClass:تنظیم کے رکن20013668586942022-05-15T12:36:19Z{{Class +|labels= +{{label|en|Organisation member}} +{{label|ur|تنظیم کے رکن}} +|comments= +{{comment|en|A member of an organisation.}} +{{comment|ur|کسی تنظیم کا ممبر }} +| rdfs:subClassOf = شخص +}}OntologyClass:تِجارتی اِدارہ20013238587532022-05-16T19:10:00Z{{Class +| labels = +{{label|ur|تِجارتی اِدارہ}} +{{label|en|company}} + +| rdfs:subClassOf = تنظیم +| owl:equivalentClass = wikidata:Q4830453 +}}OntologyClass:تکرار کرنا20013871576252022-04-24T18:12:25Z{{Class +| labels = +{{label|en|contest}} + +{ +{{label|ur|تکرار کرنا}} +| rdfs:subClassOf = مقابلہ +| owl:equivalentClass = wikidata:Q476300 +}}OntologyClass:تھن والے جانور20013280576042022-04-24T17:08:09Z{{Class +| labels = +{{label|en|mammal}} +{{label|ur|تھن والے جانور }} +| rdfs:subClassOf = جانور +| owl:disjointWith = مچھلی +| owl:equivalentClass = wikidata:Q7377 +}}OntologyClass:تھیٹر ہدایت کار20014043583212022-05-13T17:36:08Z{{Class +| labels = +{{label|ur|تھیٹر ہدایت کار}} +{{label|en|Theatre director}} + +| comments = + {{comment|ur|تھیٹر کے میدان میں ایک ڈائریکٹر جو تھیٹر پروڈکشن کے بڑھتے ہوئے کام کی نگرانی اور آرکیسٹریٹ کرتا ہے}} +{{comment|en|A director in the theatre field who oversees and orchestrates the mounting of a theatre production.}} +| rdfs:subClassOf = شخص +| owl:equivalentClass = wikidata:Q3387717 +}}OntologyClass:تیر انداز کھلاڑی20013927579012022-05-05T10:59:19Z{{Class +| labels = + {{label|en|Archer Player}} + {{label|ur|تیر انداز کھلاڑی}} +| rdfs:subClassOf = کھلاڑی +}}OntologyClass:تیراک20013799587142022-05-15T13:23:27Z{{Class +|labels= +{{label|en|swimmer}} +{{label|ur|تیراک}} +| comments = +{{comment|en|a trained athlete who participates in swimming meets}} + +{{comment|ur|ایک تربیت یافتہ کھلاڑی جو تیراکی کے مقابلوں میں حصہ لیتا ہے}} +|rdfs:subClassOf=کھلاڑی +| owl:equivalentClass = wikidata:Q10843402 +}}OntologyClass:تیز راہ سوار20013694586902022-05-15T12:23:46Z{{Class +| labels = + {{label|en|speedway rider}} +{{label|ur|تیز راہ سوار}} +| rdfs:subClassOf = موٹر سائیکل سوار +}}OntologyClass:تیز راہ کی انجمن20013718586962022-05-15T12:44:10Z{{Class +| labels = +{{label|en|speedway league}} +{{label|ur|تیز راہ کی انجمن}} +| comments = +{{comment|en|A group of sports teams that compete against each other in motorcycle speedway racing.}} + +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروپ جو موٹرسائیکل سپیڈ وے ریسنگ میں ایک دوسرے سے مقابلہ کرتا ہے۔}} +| rdfs:subClassOf = کھیلوں کی انجمن +}}OntologyClass:تیز روسی شراب20014075584122022-05-14T14:57:30Z{{Class +|labels= +{{label|ur|تیز روسی شراب}} + {{label|en|vodka}} + +| rdfs:subClassOf = مشروب +}}OntologyClass:تیغ زن20013292581572022-05-12T18:41:30Z{{Class +| labels = + +{{label|ur|تیغ زن }} +{{label|en|fencer}} +| rdfs:subClassOf = کھلاڑی +| owl:equivalentClass = wikidata:Q737498Q13381863 +}}OntologyClass:ثانوی سیاره20013319579232022-05-05T12:09:20Z{{Class +| labels = +{{label|ur|ثانوی سیاره}} +{{label|en|Satellite}} + +| comments = +{{comment|ur|ایک فلکیاتی شے جو کسی سیارے یا ستارے کے گرد چکر لگاتی ہے}} +{{comment|en|An astronomic object orbiting around a planet or star. Definition partly derived from http://www.ontotext.com/proton/protonext# (and thus WordNet 1.7).}} +| rdfs:subClassOf = جرم فلکی +<!-- | owl:equivalentClass = http://www.ontotext.com/proton/protonext#Satellite --> +}}OntologyClass:جاسوس20013733587072022-05-15T13:07:27Z{{Class +| labels = +{{label|en|Spy}} + {{label|ur|جاسوس}} +| rdfs:subClassOf = شخص +}}OntologyClass:جامع درس گاہ20014062583792022-05-14T12:20:26Z{{Class +| labels = +{{label|ur|جامع درس گاہ}} +{{label|en|university}} + +| rdfs:subClassOf = تعلیمی ادارے, schema:CollegeOrUniversity +| owl:equivalentClass = wikidata:Q3918 +}}OntologyClass:جانور20013195587442022-05-16T18:58:58Z{{Class +| labels = +{{label|ur|جانور}} +{{label|en|animal}} + +| rdfs:subClassOf = خلوی مادہ +| owl:equivalentClass = wikidata:Q729 +}}OntologyClass:جاپانی افسانه20014108585492022-05-14T20:43:19Z{{Class +| labels = +{{label|en|light novel}} +{{label|ur|جاپانی افسانه}} + +| rdfs:subClassOf =افسانه +| comments = +{{comment|en|A style of Japanese novel<ref name="light novel">http://en.wikipedia.org/wiki/Light_novel</ref>}} +{{comment|ur|جاپانی ناول کا ایک انداز<ref name="light novel">http://en.wikipedia.org/wiki/Light_novel</ref>}} +| owl:equivalentClass = wikidata:Q747381 +}} +==References== +<references/>OntologyClass:جاگیر20013777578922022-05-05T10:35:03Z{{Class +| labels = +{{label|ur|جاگیر}} +{{label|en|Manor}} +| comments = +{{comment|ur|اسٹیٹ اور/یا (زمینوں کا جھرمٹ) جو جاگیردار کے دائرہ اختیار میں ہیں۔ لہٰذا یہ خود فزیکل اسٹیٹ کے لیے شارٹ ہینڈ اظہار بھی ہے: ایک جاگیر دیہی علاقوں میں آس پاس کے میدانوں کے ساتھ ایک شاندار گھر ہے}} +{{comment|en|Estate and/or (cluster of) lands that are under the jurisdiction of a feudal lord. Hence it is also the shorthand expression for the physical estate itself: a manor is a stately house in the countryside with the surrounding grounds}} +| rdfs:subClassOf = کسی شخص (جاگیردار) یا سرکاری ادارے کے دائرہ اختیار کا قدیم علاقہ + +| dcterms:references = <http://nl.dbpedia.org/resource/Heerlijkheid_(bestuursvorm)> , <http://en.dbpedia.org/resource/Manor> , <http://fr.dbpedia.org/resource/Seigneurie> , <http://de.dbpedia.org/resource/Grundherrschaft> , <http://ru.dbpedia.org/resource/%D0%A0%D1%8B%D1%86%D0%B0%D1%80%D1%81%D0%BA%D0%B0%D1%8F_%D0%BC%D1%8B%D0%B7%D0%B0> . +}}OntologyClass:جراثیم20014139587402022-05-16T18:52:11Z{{Class +| labels = + + +{{label|ur|جراثیم}} +{{label|en|bacteria}} + +| rdfs:subClassOf = قسم +}}OntologyClass:جرم فلکی20013929579222022-05-05T12:01:57Z{{Class +| labels = +{{label|en|celestial body}} +{{label|ur|جرم فلکی}} +| rdfs:subClassOf = جگہ +}}OntologyClass:جرمن ٹورنگ کار ماسٹرزریسر20013253557552021-09-17T18:14:28Z{{Class +| labels = + + +{{label|ur|جرمن ٹورنگ کار ماسٹرزریسر}} + + +| rdfs:subClassOf = مقابلہ میں کاریں چلانے والے +}}OntologyClass:جریدے کا نشر پارہ20013928579192022-05-05T11:32:19Z{{Class +| labels = +{{label|en|article}} +{{label|ur|جریدے کا نشر پارہ}} +| rdfs:subClassOf = تحریری کام +| owl:equivalentClass = bibo:Article +}}OntologyClass:جزیرہ20013441587742022-05-16T19:52:38Z{{Class +| labels = + +{{label|ur|جزیرہ}} +{{label|en|island}} + +| rdfs:subClassOf = آبادی والی جگہ +| owl:equivalentClass = wikidata:Q23442 +}}OntologyClass:جزیرہ نما20013396579062022-05-05T11:07:20Z{{Class +| labels = +{{label|en|archipelago}} +{{label|ur|جزیرہ نما}} +| rdfs:subClassOf = قدرتی جگہ +| owl:equivalentClass = wikidata:Q33837 +}}OntologyClass:جسمانی ساخت20013246587482022-05-16T19:01:55Z{{Class +| labels = +{{label|ur|جسمانی ساخت}} +{{label|en|anatomical structure}} + +| rdfs:subClassOf = owl:Thing +| owl:equivalentClass = wikidata:Q4936952 +}}OntologyClass:جل تھلیا20013903577562022-04-26T12:26:14Z{{Class +| labels = +{{label|en|amphibian}} +{{label|ur|جل تھلیا}} + +|comments= +{{comment|ur|خشکی اور تری دونوں کا وہ جانور جوخشکی اور پانی دونوں میں رہے}} +| rdfs:subClassOf = جانور +}}OntologyClass:جماعتی کھیل20014031582922022-05-13T14:21:58Z{{Class +| labels = + {{label|ur|جماعتی کھیل}} + {{label|en|team sport}} + +|comments = +{{comment|ur|ایک ٹیم کے کھیل کو عام طور پر ایک کھیل کے طور پر بیان کیا جاتا ہے جو مسابقتی ٹیموں کے ذریعہ کھیلا جاتا ہے}} + {{comment|en|A team sport is commonly defined as a sport that is being played by competing teams}} + +| rdfs:subClassOf = کھیل + +| owl:equivalentClass = wikidata:Q216048 +}}OntologyClass:جنکگو20013763582482022-05-13T10:21:59Z{{Class +|labels= + +{{label|ur|جنکگو}} +{{label|en|ginkgo}} +|comments= +{{comment|ur|چینی درخت پنکھے کے جیسے پتوں والا}} + +| rdfs:subClassOf = پودا +}}OntologyClass:جنگل20013239581612022-05-12T18:56:41Z{{Class +|labels = + {{label|ur|جنگل}} +{{label|en|forest}} + + +|comments = +{{comment|ur|ایک قدرتی جگہ جو کم و بیش درختوں کے ساتھ اگتی ہے۔}} +{{comment|en|A natural place more or less densely grown with trees}} +| rdfs:subClassOf = قدرتی جگہ +}}OntologyClass:جنینیات کا علم20013452559872021-09-18T07:38:35Z{{Class +| labels = +{{label|ur|جنینیات کا علم}} +| rdfs:subClassOf = جسمانی ساخت +}}OntologyClass:جُغرافیائی سیاسیات تنظیم20013469582332022-05-13T09:25:58Z{{Class +|labels= +{{label|ur|جُغرافیائی سیاسیات تنظیم}} +{{label|en|geopolitical organisation}} +| rdfs:subClassOf = تنظیم +| specificProperties = {{SpecificProperty | ontologyProperty = populationDensity | unit = inhabitantsPerSquareKilometre }} + {{SpecificProperty | ontologyProperty = areaMetro | unit = squareKilometre }} +}}OntologyClass:جگہ20013140574932022-04-24T10:39:04Z{{Class +| labels = + + {{label|en|place}} + {{label|ur|جگہ}} +| comments = + {{comment|ur|غیر متحرک چیزیں یا مقامات۔}} + +| owl:equivalentClass = schema:Place, Location +| rdfs:subClassOf = owl:Thing +}}OntologyClass:جھنڈا20013216581352022-05-12T17:37:26Z{{Class +| labels = +{{label|en|جھنڈا}} +{{label|en|flag}} +| rdfs:subClassOf = owl:Thing +| owl:equivalentClass = wikidata:Q14660 +}}OntologyClass:جھیل20013612585202022-05-14T19:43:22Z{{Class +| labels = +{{label|en|lake}} +{{label|ur|جھیل}} +| rdfs:subClassOf = اجسامِ آب +| owl:equivalentClass = schema:LakeBodyOfWater, wikidata:Q23397 +| specificProperties = {{SpecificProperty | ontologyProperty = shoreLength | unit = kilometre }} + {{SpecificProperty | ontologyProperty = areaOfCatchment | unit = squareKilometre }} + {{SpecificProperty | ontologyProperty = volume | unit = cubicMetre }} +}}OntologyClass:جہاز20013683586492022-05-15T10:25:45Z{{Class +| labels = +{{label|en|ship}} +{{label|ur|جہاز}} +| rdfs:subClassOf = نقل و حمل کے ذرائع, schema:Product +| owl:equivalentClass = wikidata:Q11446 +}} +<!-- -->OntologyClass:جی ایم ایل: خصوصیت20013474581732022-05-12T19:31:34Z{{Class +|labels= +{{label|ur|جی ایم ایل: خصوصیت}} +|rdfs:label@en = Feature +}}OntologyClass:جیل20013999585852022-05-15T06:50:36Z{{Class +| labels = +{{label|en|prison}} +{{label|ur|جیل}} +| rdfs:subClassOf = عمارت +| owl:equivalentClass = wikidata:Q40357 +}}OntologyClass:جیو: مقامی چیزیں20013467582472022-05-13T10:20:13Z{{Class +|labels= +{{label|ur|جیو: مقامی چیزیں}} +|rdfs:label@en = spatial thing +}}OntologyClass:حاکم20013480582402022-05-13T09:59:30Z{{Class +|labels= +{{label|ur|حاکم}} +| rdfs:subClassOf = سیاستدان +| owl:equivalentClass = wikidata:Q132050 +}}OntologyClass:حراستی کیمپ20013590575592022-04-24T14:50:12Z{{Class +| labels = +{{label|en|Concentration camp}} +{{label|ur|حراستی کیمپ}} + +| rdfs:subClassOf = جگہ +| rdfs:comment@en = camp 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 + | rdfs:comment@ur = کیمپ جس میں لوگوں کو قید یا قید کیا جاتا ہے، عام طور پر بڑے گروہوں میں، بغیر کسی مقدمے کے۔ +ارتکاز، قتل، نقل و حمل، حراست، نظربند، (زبردستی) مزدوری، جنگی قیدی، گلاگ شامل ہیں۔ ہولوکاسٹ سے متعلق نازی کیمپ +}}OntologyClass:حرف20013623585242022-05-14T19:47:33Z{{ Class +| labels = +{{label|en|letter}} +{{label|ur|حرف}} +| comments = +{{comment|en|A letter from the alphabet.}} +{{comment|ur|حروف تہجی سے ایک حرف}} +| rdfs:subClassOf = تحریری کام +<!-- | rdfs:subClassOf = Language --> +| owl:equivalentClass = wikidata:Q9788, wikidata:Q133492 +}}OntologyClass:حرکت پذیر پیدل چلنے کا راستہ20013952580232022-05-06T16:00:09Z{{Class +| labels = + +{{label|ur|حرکت پذیر پیدل چلنے کا راستہ}} +{{label|en|travellator}} +| specificProperties = +{{SpecificProperty | ontologyProperty = diameter | unit = metre }} +{{SpecificProperty | ontologyProperty = mass | unit = kilogram }} +{{SpecificProperty | ontologyProperty = length | unit = millimetre }} +{{SpecificProperty | ontologyProperty = height | unit = millimetre }} +{{SpecificProperty | ontologyProperty = weight | unit = kilogram }} +{{SpecificProperty | ontologyProperty = width | unit = millimetre }} +| owl:disjointWith = Person +| rdfs:subClassOf = کِسی موقع مقام پر نقل و حمل +}}OntologyClass:حساب و شمار20013294552842021-09-11T11:14:33Z{{Class +| labels = +{{label|en|Algorithm}} +{{label|ur|حساب و شمار}} +|comments= +{{comment|ur|ایک عین قاعدہ (یا قواعد کا مجموعہ) جس میں وضاحت کی جاتی ہے کہ کسی مسئلے کو کیسے حل کیا جائے}} +| owl:equivalentClass = wikidata:Q8366 +}}OntologyClass:حلقہ کا پادری20014072584022022-05-14T14:19:56Z{{Class +| labels = +{{label|ur|حلقہ کا پادری}} +{{label|en|vicar}} + +| rdfs:subClassOf = پادری +}}OntologyClass:حملہ20013402579672022-05-06T02:18:54Z{{Class +| labels = +{{label|en|attack}} +{{label|ur|حملہ}} +| comments = +{{comment|en|An Attack is not necessarily part of a Military Conflict}} +{{comment|en|حملہ لازمی طور پر فوجی تصادم کا حصہ نہیں ہے۔}} +| rdfs:subClassOf = معاشرتی واقعہ +}}OntologyClass:حوض20014020582642022-05-13T11:15:16Z{{Class +| labels = + +{{label|ur|حوض}} +{{label|en|Tank}} +}}OntologyClass:حکومت کی قسم20013162582552022-05-13T10:40:01Z{{Class +| labels = +{{label|ur|حکومت کی قسم}} +{{label|en|Government Type}} +| comments = +{{comment|ur|حکومت کی ایک شکل}} +{{comment|en|a form of government}} +| rdfs:subClassOf = قسم +| specificProperties = +| owl:equivalentClass = +}}OntologyClass:حکومتی انتظامی علاقہ20013223577302022-04-26T11:49:19Z{{Class +| labels = +{{label|en|governmental administrative region}} +{{label|ur|حکومتی انتظامی علاقہ}} +| comments = +{{comment|en|An administrative body governing some territorial unity, in this case a governmental administrative body}} + +{{comment|ur|ایک انتظامی ادارہ جو کچھ علاقائی وحدت کو کنٹرول کرتا ہے ، اس صورت میں ایک سرکاری انتظامی ادارہ ہے۔}} +| rdfs:subClassOf = انتظامی علاقہ +| owl:equivalentClass = +}}OntologyClass:حیاتیاتی'ریکارڈرز پر مبنی ایک فائل'20013191550562021-09-09T14:18:31Z{{Class +| labels = +{{label|ur|حیاتیاتی ریکارڈرز_پر_مبنی_ایک_فائل}} + +| rdfs:subClassOf = Database +| comments = +{{comment|ur|مختلف ڈیٹا بیس جس میں وہ معلومات ہوتی ہیں جو حیاتیات کی بنیادی حیاتیاتی خصوصیات کی نشاندہی کرتی ہیں۔ یہ معلومات حیاتیات کے بنیادی سیل ڈھانچے ، جیسے جینومکس اور پروٹومکس لائبریریوں کی لائبریریوں میں محفوظ ہے۔}} +}}OntologyClass:حیاتیاتی ریکارڈرز پر مبنی ایک فائل20013506578352022-05-01T18:40:26Z{{Class +| labels = + +{{label|ur|حیاتیاتی ریکارڈرز_پر_مبنی_ایک_فائل}} +{{label|en|Biological database}} + +| rdfs:subClassOf = ریکارڈرز_پر_مبنی_ایک_فائل +}}OntologyClass:حیاتیاتی مرکبات20013231577682022-04-26T12:48:46Z{{Class +| labels = + {{label|en|Biomolecule}} + {{label|ur|حیاتیاتی مرکبات}} +| comments = + {{comment|en|equivalent to [http://ccdb.ucsd.edu/NIF/BIRNLex-OBO-UBO.owl#birnlex_22].}} + + {{comment|ur| ایسے پیچدہ نامیاتی مالیکیولز جو زندگی کی بنیاد ہیں یعنی وہ زندہ اجسام کو تعمیر کرنے ، ان کو نشوونما کرنے اور برقرار رکھنے کے لیے ضروری ہوتے ہیں}} +| rdfs:subClassOf = owl:Thing +| owl:equivalentClass = wikidata:Q206229 +}}OntologyClass:خامرہ20013455583502022-05-14T06:16:57Z{{Class +| labels = +{{label|ur|خامرہ}} +{{label|en|enzyme}} +| rdfs:subClassOf = حیاتیاتی مرکبات +| owl:equivalentClass = wikidata:Q8047 +}}OntologyClass:خاندان20013460581422022-05-12T17:56:20Z{{Class +| labels= +{{label|ur|خاندان}} +{{label|en|family}} +| rdfs:subClassOf = نمائندہ +| comments= +{{comment|ur|عام نسل سے متعلق لوگوں کا ایک گروہ ، ایک نسب}} +{{comment|en|A group of people related by common descent, a lineage.}} +| owl:equivalentClass = wikidata:Q8436 +}}OntologyClass:خانقاہ20013902577532022-04-26T12:21:33Z{{Class +| labels = +{{label|en|monastery}} + +{{label|ur|خانقاہ}} +|comments= +{{comment|en|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.<ref>http://en.wikipedia.org/wiki/Monastry</ref>}} + +{{comment|ur|خانقاہ عمارت، یا عمارتوں کے کمپلیکس کی نشاندہی کرتی ہے، جس میں خانقاہوں کے گھریلو کوارٹرز اور کام کی جگہیں شامل ہیں، چاہے وہ راہب ہوں یا راہبائیں، اور چاہے وہ برادری میں رہ رہے ہوں یا اکیلے (حرمت والے)۔ خانقاہ میں عام طور پر نماز کے لیے مخصوص جگہ شامل ہوتی ہے جو ایک چیپل، گرجا گھر یا مندر ہو سکتا ہے، اور ایک تقریر کے طور پر بھی کام کر سکتا ہے۔<ref>http://en.wikipedia.org/wiki/Monastry</ref>}} + +| rdfs:subClassOf = مذہبی عمارت +| owl:equivalentClass = wikidata:Q44613, d0:Location +}} + +<references />OntologyClass:خدمات عامہ20014011582152022-05-13T04:06:03Z{{Class +| labels = +{{label|en|public service}} +{{label|ur|خدمات عامہ}} +| comments = +{{comment|ur|یہ ریاستی ڈھانچے کی طرف سے عوام کے لیے فراہم کردہ خدمات ہیں۔}} +| rdfs:subClassOf = owl:Thing +| owl:equivalentClass = wikidata:Q161837 +}}OntologyClass:خریداری کرنے کے لیے مختص جگہ20013704586402022-05-15T10:15:34Z{{Class +|labels= +{{label|ur|خریداری کرنے کے لیے مختص جگہ}} +{{label|en|shopping mall}} +| rdfs:subClassOf = عمارت +| owl:equivalentClass = schema:ShoppingCenter, wikidata:Q11315 +}}OntologyClass:خشکی کا وہ حصہ جو سمندر کے اندر تک چلا گیا ہو20014088584592022-05-14T17:45:40Z{{Class +| labels = +{{label|en|cape}} +{{label|ur|خشکی کا وہ حصہ جو سمندر کے اندر تک چلا گیا ہو}} + + +| rdfs:subClassOf = قدرتی جگہ +}}OntologyClass:خصوصی سائنسی دلچسپی کی سائٹ20013727586542022-05-15T10:29:18Z{{Class +| labels = +{{label|en|Site of Special Scientific Interest}} +{{label|ur|خصوصی سائنسی دلچسپی کی سائٹ}} +| comments = +{{comment|ur|خصوصی سائنسی دلچسپی کی سائٹ (SSSI) ایک تحفظ کا عہدہ ہے جو برطانیہ میں ایک محفوظ علاقے کی نشاندہی کرتا ہے۔ SSSIs سائٹ پر مبنی فطرت کے تحفظ سے متعلق قانون سازی کا بنیادی تعمیراتی حصہ ہیں اور برطانیہ میں بیشتر دیگر قانونی نوعیت/ارضیاتی تحفظ کے عہدہ ان پر مبنی ہیں، بشمول نیشنل نیچر ریزرو، رامسر سائٹس، خصوصی تحفظ کے علاقے، اور تحفظ کے خصوصی علاقے}} +| rdfs:subClassOf = جگہ +| owl:equivalentClass = wikidata:Q422211 +}}OntologyClass:خفیہ پیغام20013883576782022-04-25T11:10:56Z{{Class +| labels = +{{label|en|Cipher}} + +{{label|ur|خفیہ پیغام}} + + +| rdfs:subClassOf = owl:Thing +| owl:equivalentClass = +}}OntologyClass:خلا باز20013324579352022-05-05T12:39:31Z{{Class + + +| labels = +{{label|ur|خلا باز}} +{{label|en|astronaut}} + +| rdfs:subClassOf = شخص +| specificProperties = {{SpecificProperty | ontologyProperty = timeInSpace | unit = minute }} +| owl:equivalentClass = wikidata:Q11631 +}}OntologyClass:خلائی اڈہ20013711564662022-02-17T06:27:16Z{{Class +| labels = +{{label|ur|خلائی اڈہ}} +| rdfs:subClassOf = نقل و حمل کے ذرائع +| specificProperties = {{SpecificProperty | ontologyProperty = volume | unit = cubicMetre }} +| owl:equivalentClass = wikidata:Q25956 +}}OntologyClass:خلائی جہاز20013693586882022-05-15T12:18:35Z{{Class +| labels = + +{{label|en|space shuttle}} +{{label|ur|خلائی جہاز}} +| rdfs:subClassOf = نقل و حمل کے ذرائع +| specificProperties = {{SpecificProperty | ontologyProperty = timeInSpace | unit = day }} + {{SpecificProperty | ontologyProperty = distance | unit = kilometre }} +| owl:equivalentClass = wikidata:Q48806 +}}OntologyClass:خلائی مہم20013719586972022-05-15T12:46:26Z{{Class +| labels = +{{label|en|space mission}} +{{label|ur|خلائی مہم}} +| rdfs:subClassOf = معاشرتی واقعہ +| specificProperties = {{SpecificProperty | ontologyProperty = mass | unit = kilogram }} + {{SpecificProperty | ontologyProperty = cmpEvaDuration | unit = hour }} + {{SpecificProperty | ontologyProperty = stationEvaDuration | unit = hour }} + {{SpecificProperty | ontologyProperty = lunarSurfaceTime | unit = hour }} + {{SpecificProperty | ontologyProperty = missionDuration | unit = day }} + {{SpecificProperty | ontologyProperty = distanceTraveled | unit = kilometre }} + {{SpecificProperty | ontologyProperty = lunarOrbitTime | unit = hour }} + {{SpecificProperty | ontologyProperty = stationVisitDuration | unit = hour }} + {{SpecificProperty | ontologyProperty = lunarSampleMass | unit = kilogram }} + {{SpecificProperty | ontologyProperty = lunarEvaTime | unit = hour }} +| owl:equivalentClass = wikidata:Q2133344 +}}OntologyClass:خلائی پرواز میں سال20014135587282022-05-16T17:33:07Z{{Class +| labels = +{{label|ur|خلائی پرواز میں سال}} +{{label|en|year in spaceflight}} + +| rdfs:subClassOf = وقت کی مدت +}}OntologyClass:خلوی مادہ20013166587452022-05-16T18:59:17Z{{Class +| labels = + +{{label|ur| خلوی مادہ}} +{{label|en| eukaryote}} +| rdfs:subClassOf = قسم +| +}}OntologyClass:خلیج20013328578242022-05-01T17:41:49Z{{Class +|labels = +{{label|ur|خلیج}} +{{label|en|bay}} + +| rdfs:subClassOf = اجسامِ آب +}}OntologyClass:خواتین کی انجمن کا باہمی مقابلہ20014124586582022-05-15T10:34:18Z{{Class +| labels = +{{label|ur|خواتین کی انجمن کا باہمی مقابلہ}} +{{label|en|Women's Tennis Association tournament}} + +| rdfs:subClassOf = باہمی مقابلہ +}}OntologyClass:خوراک20013586587432022-05-16T18:57:31Z{{Class +| labels = + {{label|ur|خوراک}} +{{label|en|Food}} + +| comments = + + + {{comment|ur|کھانا کوئی بھی کھانے یا پینے کے قابل مادہ ہے جو عام طور پر انسان استعمال کرتے ہیں۔}} +{{comment|en|Food is any eatable or drinkable substance that is normally consumed by humans.}} +| rdfs:subClassOf = owl:Thing +| owl:equivalentClass = wikidata:Q2095 +}}OntologyClass:خول دارجانور20013345576372022-04-24T18:35:22Z{{Class +| labels = +{{label|en|crustacean}} +{{label|ur|خول دارجانور}} +| rdfs:subClassOf = جانور +}}OntologyClass:خون کی شریان20013338578432022-05-02T11:25:43Z{{Class +| labels = +{{label|ur|خون کی شریان}} +{{label|en|blood vessel}} + +| rdfs:subClassOf = جسمانی ساخت +}}OntologyClass:خیالی کردار20013270576212022-04-24T18:01:10Z{{Class +| labels = +{{label|en|fictional character}} +{{label|ur|خیالی کردار}} +| rdfs:subClassOf = نمائندہ +| owl:equivalentClass = wikidata:Q95074 +}}OntologyClass:دائرہ اختيارات20013989585692022-05-15T06:07:01Z{{Class +| labels = +{{label|en|prefecture}} +{{label|ur|دائرہ اختيارات}} + +| rdfs:subClassOf = حکومتی انتظامی علاقہ +| owl:equivalentClass = wikidata:Q515716 +}}OntologyClass:دارالحکومت20013844574902022-04-24T10:35:03Z{{Class +| labels = {{label|en|Capital}} + +{{label|ur| دارالحکومت}} + +| comments = {{comment|en|A municipality enjoying primary status in a state, country, province, or other region as its seat of government.}} + +{{comment|ur|ایک بلدیہ جو کسی ریاست، ملک، صوبے، یا دوسرے علاقے میں اپنی حکومت کی نشست کے طور پر بنیادی حیثیت سے لطف اندوز ہوتی ہے۔ }} +| rdfs:subClassOf = شہر +}}OntologyClass:درہ20013937579522022-05-05T14:41:34Z{{Class +| labels = + +{{label|ur|درہ}} +{{label|en|mountain pass}} +| comments = + +{{comment|ur|ایک راستہ جو پہاڑی سلسلہ کو عبور کرنے کی اجازت دیتا ہے۔ یہ عام طور پر اونچی اونچائی کے دو علاقوں کے درمیان ایک سیڈل پوائنٹ ہوتا ہے}} +{{comment|en|a path that allows the crossing of a mountain chain. It is usually a saddle point in between two areas of higher elevation}} +| rdfs:subClassOf = قدرتی جگہ +| owl:equivalentClass = wikidata:Q133056 +}}OntologyClass:دستاویز20013272570312022-03-09T13:49:31Z{{Class +| labels= +{{label|ur|دستاویز}} +| comments= +{{comment|ur|کوئی بھی دستاویز۔}} +| rdfs:subClassOf = کام +| owl:equivalentClass = foaf:دستاویز +}}OntologyClass:دستاویز کی قسم20014042583182022-05-13T17:32:10Z{{Class +| labels= +{{label|ur|دستاویز کی قسم}} +| comments= +{{comment|ur|دستاویز کی قسم (سرکاری، غیر رسمی وغیرہ}} +| rdfs:subClassOf = قسم +| specificProperties = +}}OntologyClass:دفتر کی مدت20014035583022022-05-13T15:45:46Z{{Class +|labels = +{{label|ur|دفتر کی مدت}} +{{label|en|term of office}} + +| rdfs:subClassOf = تنظیم +| owl:equivalentClass = wikidata:Q524572 +}}OntologyClass:دماغ20013245578552022-05-02T12:19:28Z{{Class +| labels = +{{label|ur|دماغ}} +{{label|en|brain}} +| rdfs:subClassOf = جسمانی ساخت +}}OntologyClass:دوائی20013892577222022-04-26T11:39:33Z{{Class +| labels = {{label|en|Medicine}} + + {{label|ur|دوائی}} +| owl:equivalentClass = wikidata:Q11190 +| comments = {{comment|en|The science and art of healing the human body and identifying the causes of disease}} + + +{{comment|ur|انسانی جسم کو ٹھیک کرنے اور بیماری کی وجوہات کی نشاندہی کرنے کا سائنس اور فن}} +}}OntologyClass:دور20014025582782022-05-13T11:48:07Z{{Class +|labels= + +{{label|ur|دور}} +{{label|en|tenure}} +| rdfs:subClassOf = وقت کی مدت +}}OntologyClass:دورانیہ حیات وقوعه20013626585252022-05-14T19:49:20Z{{Class +| labels = +{{label|en|life cycle event}} +{{label|ur|دورانیہ حیات وقوعه}} +| comment = +{{comment|en| Type of event meant to express one-time or recurring major changes in a resource's life cycle}} + +{{comment|ur| واقعہ کی قسم کا مطلب وسائل کی زندگی کے چکر میں ایک بار یا بار بار آنے والی بڑی تبدیلیوں کا اظہار کرنا ہے۔}} +| rdfs:subClassOf = تقریب +}}OntologyClass:دوڑ20013537575862022-04-24T16:17:20Z{{Class +| labels = +{{label|en|race}} + +{{label|ur|دوڑ}} +| rdfs:subClassOf = کھیلوں کی تقریب +}}OntologyClass:دکھاوا کرنے والا20013994585842022-05-15T06:49:09Z{{Class +| labels = +{{label|en|Pretender}} +{{label|ur|دکھاوا کرنے والا}} +| rdfs:subClassOf = شاہی +}}OntologyClass:دہانه20013639575692022-04-24T15:18:19Z{{Class +| labels = +{{label|en|crater}} +{{label|ur|دہانه}} + +| rdfs:subClassOf = قدرتی جگہ +}}OntologyClass:دیا گیا نام20013470581712022-05-12T19:25:59Z{{Class +|labels= +{{label|ur|دیا گیا نام}} +{{label|en|first name}} +| rdfs:subClassOf = نام +| owl:equivalentClass = wikidata:Q202444 +}}OntologyClass:دیوتا20014015582272022-05-13T09:14:02Z{{Class +| labels = +{{label|en|deity}} +{{label|ur|دیوتا}} +| rdfs:subClassOf = نمائندہ +| owl:equivalentClass = wikidata:Q178885 +}}OntologyClass:ذاتی تقریب20013966585942022-05-15T07:33:08Z{{Class +| labels = +{{label|en|personal event}} +{{label|ur|ذاتی تقریب}} + +|comments = +{{comment|en|an event that occurs in someone's personal life}} + +{{comment|ur|ایک واقعہ جو کسی کی ذاتی زندگی میں پیش آتا ہے۔}} +| rdfs:subClassOf = دورانیہ حیات وقوعه +}}OntologyClass:ذیلی بلدیہ20013797587122022-05-15T13:20:42Z{{Class +| labels = +{{label|en|borough}} +{{label|ur|ذیلی بلدیہ}} +| comments = +{{comment|en|An administrative body governing a territorial unity on the lowest level, administering part of a municipality}} + +{{comment|ur|ایک انتظامی ادارہ جو ایک علاقائی اتحاد کو نچلی سطح پر چلاتا ہے، بلدیہ کے حصے کا انتظام کرتا ہے}} +| rdfs:subClassOf = حکومتی انتظامی علاقہ +| owl:equivalentClass = +}}OntologyClass:رابطے کا ضابطہ20014003581992022-05-13T03:33:59Z{{Class +| labels = +{{label|en|Protocol}} +{{label|ur|رابطے کا ضابطہ }} +| rdfs:subClassOf = owl:Thing +}}OntologyClass:رسالہ20013775578782022-05-04T09:31:55Z{{Class +| labels = +{{label|ur|رسالہ}} +{{label|en|magazine}} +| rdfs:subClassOf = متواتر ادب + +| comments = +{{comment|ur|میگزین، میگزین، چمکیلی یا سیریل اشاعتیں ہیں، عام طور پر ایک باقاعدہ شیڈول پر شائع ہوتے ہیں، مختلف مضامین پر مشتمل ہوتے ہیں. انہیں عام طور پر اشتہارات، خریداری کی قیمت، پری پیڈ میگزین سبسکرپشنز، یا تینوں کے ذریعے مالی اعانت فراہم کی جاتی ہے}} +{{comment|en|Magazines, 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.}} +| owl:equivalentClass = wikidata:Q41298 +}}OntologyClass:رفتار سکیٹر20013709586642022-05-15T10:43:07Z{{Class +| labels = +{{label|en|speed skater}} +{{label|ur|رفتار سکیٹر}} +| rdfs:subClassOf = سرمائی کھیل کھیلنے والا +|comments= +{{comment|ur|ایک آئس سکیٹر جو مسابقتی طور پر دوڑتا ہے۔ عام طور پر ایک اوول کورس کے ارد گرد}} +}}OntologyClass:رقبہ20013305577802022-05-01T10:53:49Z{{Class +| labels = +{{label|ur|رقبہ}} +{{label|en|area}} +| comments = +{{comment|ur|کسی چیز کا علاقہ}} +{{comment|en|Area 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)}} +}}OntologyClass:رقص کرنے والا20013357582232022-05-13T09:06:05Z{{Class +| labels = +{{label|ur|رقص کرنے والا}} +| rdfs:subClassOf = فنکار +}}OntologyClass:رقص گاہ20013878576602022-04-25T09:18:23Z{{Class +| labels = +{{label|en|casino}} + +{{label|ur|رقص گاہ}} + +| rdfs:subClassOf = عمارت +| comments = +{{comment|en|In modern English, a casino is a facility which houses and accommodates certain types of gambling activities.}} +{{comment|ur|جدید انگریزی میں ، جوئے بازی کی اڈہ ایک ایسی سہولت ہے جس میں جوئے کی سرگرمیوں کی مخصوص اقسام ہوتی ہیں۔ +.}} +| owl:equivalentClass = wikidata:Q133215 +}}OntologyClass:رنگ20013335576172022-04-24T17:52:36Z{{Class +| labels = +{{label|en|colour}} + {{label|ur|رنگ}} +| comments = +{{comment|en|Color 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.}} + +{{comment|ur|رنگ یا رنگ بصری ادراکی املاک ہے جو انسانوں میں سرخ ، پیلے ، نیلے اور دیگر نامی زمروں کے مطابق ہے۔ رنگ روشنی کے سپیکٹرم سے حاصل ہوتا ہے (روشنی کی تقسیم بمقابلہ طول موج) آنکھوں میں روشنی کے رسیپٹروں کی سپیکٹرمل حساسیت کے ساتھ تعامل کرتا ہے۔}} +| rdfs:subClassOf = owl:Thing +}}OntologyClass:رنگ ساز20013957584522022-05-14T17:33:18Z{{Class +| rdfs:subClassOf = فنکار +|labels= +{{label|ur|رنگ ساز}} +{{label|en|painter}} +| owl:equivalentClass = wikidata:Q1028181 +}}OntologyClass:رواں زینہ20013456559922021-09-18T07:46:12Z{{Class +| labels = +{{label|ur|رواں زینہ}} + +|comments= +{{comment|ur|بجلی سے چلنے والی سیڑھی}} + +| specificProperties = +{{SpecificProperty | ontologyProperty = diameter | unit = metre }} +{{SpecificProperty | ontologyProperty = mass | unit = kilogram }} +{{SpecificProperty | ontologyProperty = length | unit = millimetre }} +{{SpecificProperty | ontologyProperty = height | unit = millimetre }} +{{SpecificProperty | ontologyProperty = weight | unit = kilogram }} +{{SpecificProperty | ontologyProperty = width | unit = millimetre }} +| owl:disjointWith = شخص +| rdfs:subClassOf = کِسی موقع مقام پر نقل و حمل +}}OntologyClass:روایتی موسیقی کی ترکیب20013851575252022-04-24T11:59:25Z{{Class +| labels = +{{label|en|classical music composition}} + +{{label|ur| روایتی موسیقی کی ترکیب }} +| comments = + +{{comment|ur|کلاسیکی موسیقی کی تشکیل کمپیوٹر پر خصوصی پروگراموں کی مدد سے کی جاسکتی ہے جو ایک مخصوص الگورتھم استعمال کرتے ہیں۔}} +| rdfs:subClassOf = موسیقی کا کام +}} +aOntologyClass:روشنی کا مینار20013630585262022-05-14T19:51:03Z{{Class +| labels = +{{label|en|lighthouse}} +{{label|ur|روشنی کا مینار}} +| rdfs:subClassOf = مینار +| owl:equivalentClass = wikidata:Q39715 +}}OntologyClass:روشِ لباس20013461581282022-05-12T16:55:52Z{{Class +|labels = + {{label|ur|روشِ لباس}} + {{label|en|fashion}} +| comments = +{{comment|ur|وقت یا انفرادی خاکے کے معیار کے مطابق لباس کی قسم}} +{{comment|en|type or code of dressing, according to the standards of the time or individual design.}} +| rdfs:subClassOf = موضوع کا تصور +}}OntologyClass:رومن کیتہولک پادری20013987585812022-05-15T06:43:41Z{{Class +| labels = +{{label|en|pope}} +{{label|ur|رومن کیتہولک پادری}} +| rdfs:subClassOf = پادری +| owl:equivalentClass = wikidata:Q19546 +}}OntologyClass:رگ20014083584382022-05-14T16:57:18Z{{Class +| labels = +{{label|ur|رگ}} +{{label|en|vein}} + +| rdfs:subClassOf = جسمانی ساخت +| owl:equivalentClass = wikidata:Q9609 +}}OntologyClass:ریاست20013751587012022-05-15T12:57:06Z{{Class +| labels = +{{label|en|state}} +{{label|ur|ریاست}} +| rdfs:subClassOf = آبادی والی جگہ +| owl:equivalentClass = wikidata:Q7275 +}}OntologyClass:ریاستہائے متحدہ کی سپریم کورٹ کیس20014237590352022-06-21T17:24:18Z{{Class +| labels = +{{label|ur|ریاستہائے متحدہ کی سپریم کورٹ کیس}} +| rdfs:subClassOf = قانونی مقدمہ +}}OntologyClass:ریاستی قرارداد20014159588572022-06-20T13:24:12Z{{Class +| labels = + {{label|en|Stated Resolution}} +{{label|ur|ریاستی قرارداد}} + +| comments = + {{comment|en|A Resolution describes a formal statement adopted by a meeting or convention.}} +{{comment|ur|ایک قرارداد میٹنگ یا کنونشن کے ذریعہ اختیار کردہ ایک رسمی بیان کی وضاحت کرتی ہے}} + +| rdfs:subClassOf = تحریری کام +}}OntologyClass:ریاضیاتی تصور20013889577122022-04-26T11:30:48Z{{Class +| labels = {{label|en|Mathematical concept}} + + {{label|ur|ریاضیاتی تصور}} +| comments = {{comment|en|Mathematical concepts, e.g. Fibonacci numbers, Imaginary numbers, Symmetry}} +{{comment|ur|ریاضی کے تصورات، جیسے فبونیکی نمبرز، خیالی نمبرز، سمیٹری}} +| rdfs:subClassOf = موضوع کا تصور +}}OntologyClass:ریل گاڑی20013909577852022-05-01T11:08:50Z{{Class +| labels = +{{label|en|train}} +{{label|ur|ریل گاڑی}} +| rdfs:subClassOf = نقل و حمل کے ذرائع +| owl:equivalentClass = wikidata:Q870 +}}OntologyClass:ریل گاڑی کا انجن20013638585572022-05-14T20:54:41Z{{Class +| labels = +{{label|en|locomotive}} +{{label|ur|ریل گاڑی کا انجن}} +<!-- | specificProperties = + {{SpecificProperty | ontologyProperty = modelLineVehicle}} --> +| rdfs:subClassOf = نقل و حمل کے ذرائع, schema:Product +| owl:equivalentClass = wikidata:Q93301 +}}OntologyClass:ریڈیو سٹیشن20014195589402022-06-20T17:30:19Z{{Class +| labels = +{{label|en|radio station}} +{{label|ur|ریڈیو سٹیشن}} +| rdfs:subClassOf = ناشَر +| owl:equivalentClass = schema:RadioStation +}}OntologyClass:ریڑھ کی ہڈی کے بغیر جانور20013933579402022-05-05T14:21:38Z{{Class +| labels = + +{{label|ur|ریڑھ کی ہڈی کے بغیر جانور}} +{{label|en|mollusca}} +| rdfs:subClassOf = جانور +| owl:equivalentClass = wikidata:Q25326 +}}OntologyClass:ریکارڈرز پر مبنی ایک فائل20013192578382022-05-01T18:43:20Z{{Class +| labels = + {{label|ur|ریکارڈرز_پر_مبنی_ایک_فائل}} + {{label|en|Database}} +| rdfs:subClassOf = کام, dul:InformationObject +| owl:equivalentClass = +}}OntologyClass:ریگستان20013266557622021-09-17T18:29:13Z{{Class +| labels = +{{label|ur|ریگستان}} + +| comments = +{{comment|ur|زمین کا بنجر علاقہ جہاں کم بارش ہوتی ہے۔}} + +| rdfs:subClassOf = قدرتی جگہ +}}OntologyClass:زبان20013613585322022-05-14T20:02:57Z{{Class +| labels = +{{label|en|language}} +{{label|ur|زبان}} +| owl:equivalentClass = schema:Language, wikidata:Q315 +| rdfs:subClassOf = owl:Thing +}}OntologyClass:زلزلہ20013445557702021-09-17T18:46:07Z{{Class +| labels = +{{label|ur|زلزلہ}} +| rdfs:subClassOf = قدرتی واقعہ +| comments = + +{{comment|ur|یہ زمین کی پرت میں اچانک توانائی کے اخراج کا نتیجہ ہے جو زلزلے کی لہروں کو پیدا کرتا ہے}} +}}OntologyClass:زمین دوز برقی ریل کا اڈہ20013948579972022-05-06T10:34:52Z{{Class +| labels = + +{{label|ur|زمین دوز برقی ریل کا اڈہ}} +{{label|en|metrostation}} + + +| rdfs:subClassOf = اڈا + + + + +| owl:equivalentClass = wikidata:Q928830 +}}OntologyClass:زیر زمین جریدہ20014061583762022-05-14T12:14:33Z{{Class +| labels = +{{label|ur|زیر زمین جریدہ}} +{{label|en|underground journal}} + +| rdfs:subClassOf = متواتر ادب +| comments = +{{comment|ur| ایک زیر زمین جریدہ ہے، اگرچہ وقت گزرنے کے ساتھ ساتھ ہمیشہ قانون کے ذریعہ اشاعتیں ممنوع رہی ہیں، دوسری عالمی جنگ کے دوران جرمنوں کے زیر قبضہ ممالک کا ایک رجحان۔ زیر زمین پریس میں تحریر کا مقصد نازی قبضے کے خلاف مزاحمت کے جذبے کو مضبوط کرنا ہے۔ زیر زمین جرائد کی تقسیم بہت خفیہ ہونی چاہیے تھی اور اس لیے اس کا انحصار غیر قانونی ڈسٹری بیوشن سرکٹس اور قابضین کی طرف سے ظلم و ستم کے خطرات پر تھا}} +{{comment|en| An 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. }} +}}OntologyClass:سائنسدان20013290578402022-05-01T18:51:54Z{{Class +| labels = + +{{label|ur|سائنسدان}} +{{label|en|scientist}} +| rdfs:subClassOf = شخص +| owl:equivalentClass = wikidata:Q901 +}}OntologyClass:سائنسی تصور20013680586452022-05-15T10:21:57Z{{Class +| labels = + {{label|ur|سائنسی تصور}} +{{label|en|Scientific concept}} +| comments = + {{comment|ur|سائنسی تصورات، جیسے نظریہ اضافیت، کوانٹم کشش ثقل}} +| rdfs:subClassOf = موضوع کا تصور +}}OntologyClass:سائیکل سوار20013766577022022-04-25T11:57:50Z{{Class +| labels = + {{label|en|cyclist}} + {{label|ur|سائیکل سوار}} +| rdfs:subClassOf = کھلاڑی +}}OntologyClass:سائیکل سوار کی انجمن20014082584352022-05-14T16:49:17Z{{Class +| labels = +{{label|en|cycling league}} + +{{label|ur|سائیکل سوار کی انجمن}} +| comments = +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروپ جو سائیکلنگ میں ایک دوسرے کے خلاف مقابلہ کرتا ہے۔}} +{{comment|en|a group of sports teams that compete against each other in Cycling}} +| rdfs:subClassOf = کھیلوں کی انجمن +}}OntologyClass:سائیکلنگ جماعت20014081584312022-05-14T16:41:45Z{{Class +| labels = +{{label|en|cycling team}} +{{label|ur|سائیکلنگ جماعت}} +| comments = +| rdfs:subClassOf = کھیل کی جماعت +}}OntologyClass:سائیکلنگ دوڑ20013866575842022-04-24T16:15:42Z{{Class +| labels = +{{label|en|cycling race}} + +{{label|ur|سائیکلنگ دوڑ}} +| rdfs:subClassOf = دوڑ +| owl:equivalentClass = wikidata:Q15091377 +}}OntologyClass:سائیکلنگ مقابلہ20013354576402022-04-24T18:41:13Z{{Class +| labels = +{{label|en|cycling competition}} +{{label|ur|سائیکلنگ مقابلہ}} +| rdfs:subClassOf = کھیلوں کی تقریب +}}OntologyClass:سابق بلدیہ20013584581402022-05-12T17:51:18Z{{Class +| labels = +{{label|ur|سابق بلدیہ}} +{{label|en|one-time municipality}} +| comments = +{{comment|ur|ایک بلدیہ جس کا وجود ختم ہو گیا ہے، اور زیادہ تر وقت کسی دوسری بلدیہ میں (تھوک یا جزوی طور پر) شامل ہو گیا ہے}} +{{comment|en|A municipality that has ceased to exist, and most of the time got incorporated (wholesale or partly) into another municipality}} +| rdfs:subClassOf = بلدیہ +| owl:equivalentClass = wikidata:Q19730508 +}}OntologyClass:ساحل سمندر20013186578262022-05-01T17:50:44Z{{Class +|labels = + {{label|ur|ساحل_سمندر}} +{{label|en|beach}} +|comments = +{{comment|ur|پانی کے جسم کا ساحل ، خاص طور پر جب ریت بھرا یا کنکری}} +{{comment|en|The shore of a body of water, especially when sandy or pebbly}} +| rdfs:subClassOf = قدرتی جگہ +}}OntologyClass:ساحل سمندروالی بال کاکھلاڑی20013913578292022-05-01T17:58:54Z{{Class +| labels = +{{label|en|beach volleyball player}} +{{label|ur|ساحل سمندروالی بال کاکھلاڑی}} + +| rdfs:subClassOf = والی بال کاکھلاڑی +}}OntologyClass:ساز20013518587582022-05-16T19:31:03Z{{Class +| labels = +{{label|ur|ساز}} +{{label|en|Instrument}} + +| comments = +{{comment|ur|تمام آلات موسیقی کو بیان کرتا ہے}} +{{comment|en|Describes all musical instrument}} + +| rdfs:subClassOf = آلہ, schema:Product +| owl:equivalentClass = wikidata:Q225829 +}}OntologyClass:سازندہ20013198582622022-05-13T10:51:28Z{{Class +| labels = + +{{label|ur|سازندہ}} +{{label|en|instrumentalist}} +| rdfs:subClassOf = موسیقی کا فنکار + +}}OntologyClass:سافٹ بال انجمن20014131587162022-05-15T13:31:54Z{{Class +| labels = +{{label|en|softball league}} + +{{label|ur|سافٹ بال انجمن}} +| comments = +{{comment|en|A group of sports teams that compete against each other in softball.}} +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروپ جو سافٹ بال میں ایک دوسرے سے مقابلہ کرتا ہے}} +| rdfs:subClassOf = کھیلوں کی انجمن +}}OntologyClass:سافٹ بال کی انجمن20013720564912022-02-17T10:24:59Z{{Class +| labels = +{{label|ur|سافٹ بال کی انجمن}} +| comments = +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروپ جو سافٹ بال میں ایک دوسرے سے مقابلہ کرتا ہے}} +| rdfs:subClassOf = کھیلوں کی انجمن +}}OntologyClass:سال20014134587252022-05-16T17:24:45Z{{Class +| labels = +{{label|ur|سال}} + {{label|en|year}} + +| rdfs:subClassOf = وقت کی مدت +| owl:equivalentClass = wikidata:Q577 +}}OntologyClass:سبز طحالب20013193582592022-05-13T10:44:17Z{{Class +| labels= +{{label|ur|سبز طحالب}} +{{label|en|green alga}} +| rdfs:subClassOf = پودا +}}OntologyClass:ستار20013486582442022-05-13T10:13:39Z{{Class +| labels = + {{ label|ur|ستار}} +{{ label|en|guitar}} +| comments = + {{ comment|ur|ایک تار والا میوزیکل آلہ ، جس میں فنگر فنگر بورڈ ہوتا ہے ، عام طور پر کٹے ہوئے اطراف ، اور چھ یا بارہ تار ، انگلیوں یا پلیکٹرم سے توڑنے یا جھومنے سے بجائے جاتے ہیں۔}} + {{ comment|en|Describes the guitar}} +| rdfs:subClassOf = ساز +<!--| owl:sameAs = <http://www.semanticweb.org/ontologies/2011/3/InstrumentOntology.owl#Guitar>--> +| owl:equivalentClass = wikidata:Q6607 +}}OntologyClass:ستار بجانے والا20014019582612022-05-13T10:49:12Z{{Class +| labels = + +{{label|ur|ستار بجانے والا}} +{{label|en|guitarist}} +| rdfs:subClassOf = سازندہ +| owl:equivalentClass = wikidata:Q855091 +}}OntologyClass:ستارہ20013260587382022-05-16T18:47:52Z{{Class +| labels = +{{label|ur|ستارہ}} +{{label|en|star}} +| rdfs:subClassOf = جرم فلکی +}}OntologyClass:ستارہ غول20013794587102022-05-15T13:16:00Z{{Class +|labels= + {{label|en|Star сluster}} + {{label|ur|ستارہ غول}} + +| owl:disjointWith = شخص +| rdfs:subClassOf = owl:Thing +}}OntologyClass:سجاوٹ20013261557592021-09-17T18:21:46Z{{Class +|labels = + +{{label|ur|سجاوٹ}} +|comments = +{{comment|ur|ایک شے ، جیسے تمغہ یا آرڈر ، جو وصول کنندہ کو عزت سے نوازنے کے لیے دیا جاتا ہے۔}} + +| rdfs:subClassOf = انعام +}} +==References== +<references/>OntologyClass:سرائے20013592569232022-03-04T06:55:37Z{{Class +| labels = +{{label|ur|سرائے}} +{{label|en|hotel}} + +| rdfs:subClassOf = عمارت +| owl:equivalentClass = schema:Hotel, wikidata:Q27686 +}}OntologyClass:سرمائی کھیل کھیلنے والا20013499587472022-05-16T19:01:01Z{{Class +| labels = + +{{label|ur|سرمائی کھیل کھیلنے والا}} +{{label|en|winter sport Player}} +| rdfs:subClassOf = کھلاڑی +}}OntologyClass:سرنگ20014060583742022-05-14T12:08:13Z{{Class +| labels = +{{label|ur|سرنگ}} +{{label|en| tunnel}} +|comments= +{{comment|ur| ایک سرنگ پیدل یا گاڑیوں کی سڑک کے لیے، ریل ٹریفک کے لیے، یا نہر کے لیے ہو سکتی ہے۔ کچھ سرنگیں پانی کی کھپت یا ہائیڈرو الیکٹرک اسٹیشنوں کے لیے پانی کی فراہمی کے لیے آبی راستے ہیں یا گٹر ہیں}} +{{comment|en| A 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).}} +| rdfs:subClassOf = تعمیراتی ڈھانچے +| owl:equivalentClass = wikidata:Q44377 +}}OntologyClass:سرکاری محکمہ20013478581752022-05-12T19:41:56Z{{Class +|labels= +{{label|ur|سرکاری محکمہ}} +{{label|en|government agency}} +| rdfs:subClassOf=تنظیم +| owl:equivalentClass = schema:GovernmentOrganization +|comments= +{{comment|ur|ایک سرکاری ایجنسی حکومت کی مشینری میں ایک مستقل یا نیم مستقل تنظیم ہے جو مخصوص افعال کی نگرانی اور انتظام کے لیے ذمہ دار ہے ، جیسے کہ ایک انٹیلی جنس ایجنسی}} +{{comment|en|A 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.}} +| owl:equivalentClass = wikidata:Q327333 +}}OntologyClass:سرگرمی20013242582452022-05-13T10:16:56Z{{Class +|labels= + +{{label|ur|سرگرمی}} +{{label|en|activity}} +| owl:disjointWith = شخص +| owl:equivalentClass = d0:Activity, wikidata:Q1914636 +| rdfs:subClassOf = owl:Thing +}}OntologyClass:سزا دینے کا عمل20014109585592022-05-15T05:38:32Z{{Class +| labels = +{{label|en|penalty shoot-out}} + +{{label|ur|سزا دینے کا عمل}} + +|comments= +{{comment|ur|سزا دینے کا عمل کھیلوں کے میچوں میں فاتح کا تعین کرنے کا ایک طریقہ ہے جو بصورت دیگر نکل دیا جاتا ہے یا برابر ہو جاتا۔}} + +| rdfs:subClassOf = تقریب, dul:Event +}}OntologyClass:سفید رنگ کے خلیوں پر مشتمل ایک بے رنگ سیال20013641585402022-05-14T20:21:29Z{{Class +|labels = +| rdfs:label@en = lymph +{{label|ur|سفید رنگ کے خلیوں پر مشتمل ایک بے رنگ سیال}} +| rdfs:subClassOf = جسمانی ساخت +}}OntologyClass:سفیر20013295577432022-04-26T12:10:29Z{{Class +| labels = +{{label|ur|سفیر}} +{{label|en|ambassador}} + +| rdfs:subClassOf = سیاستدان + +| comments = +{{comment|ur|ایک غیر ملکی حکومت سے منظور شدہ اعلیٰ ترین عہدے کا سفارتی کارندہ}} +{{comment|en|An 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.}} + +| owl:equivalentClass = wikidata:Q121998 +}}OntologyClass:سلسلہ وار قاتل20013703586382022-05-15T10:14:20Z{{Class +| labels = +{{label|ur|سلسلہ وار قاتل}} +{{label|en|serial killer}} +| rdfs:subClassOf = قاتل +| owl:equivalentClass = wikidata:Q484188 +}}OntologyClass:سلسلہ وار ڈرامے کا کردار20013723564972022-02-17T10:49:07Z{{Class +| labels = +{{label|ur|سلسلہ وار ڈرامے کا کردار}} +| rdfs:subClassOf = خیالی کردار +}}OntologyClass:سمندر20013669579702022-05-06T02:35:03Z{{Class +| labels = +{{label|en|Ocean}} +{{label|ur|سمندر}} +| comments = +{{comment|ur|نمکین پانی کا ایک جسم جو سیارے کے ہائیڈروسفیئر کا زیادہ تر حصہ بناتا ہے۔ }} + +| rdfs:subClassOf = اجسامِ آب +| owl:equivalentClass = wikidata:Q9430 +}}OntologyClass:سند20014040583122022-05-13T16:50:54Z{{Class +| labels = +{{label|en|diploma}} +{{label|ur|سند}} +}}OntologyClass:سنوکر کا فاتح20013724587182022-05-15T15:46:06Z{{Class +| rdfs:label@en = snooker world champion +| labels = + {{label|ur|سنوکر کا فاتح}} +| comments = + {{comment|ur|کھیلوں کی ٹیموں یا انفرادی کھلاڑیوں کا ایک گروہ جو ایک مخصوص کھیل میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں۔}} +| rdfs:subClassOf = سنوکر کے کھلاڑی +}}OntologyClass:سنوکر کی عالمی درجہ بندی20013714586712022-05-15T10:53:54Z{{Class +| labels = +{{label|en|snooker world ranking}} +{{label|ur|سنوکر کی عالمی درجہ بندی}} +| comments = +{{comment|ur|ایک مخصوص سال/سیزن کے لیے سنوکر میں آفیشل عالمی درجہ بندی}} +| rdfs:subClassOf = کھیلوں کے مقابلے کا نتیجہ <!-- dul:Role --> +}}OntologyClass:سنوکر کے کھلاڑی20013688586832022-05-15T12:02:51Z{{Class +| labels = +{{label|en|snooker player}} +{{label|ur|سنوکر کے کھلاڑی}} +| comments = +| rdfs:comment@en = An athlete that plays snooker, which is a billard derivate + +{{comment|ur|ایک کھلاڑی جو سنوکر کھیلتا ہے، جو بلارڈ ڈیریویٹ ہے۔}} + +| rdfs:subClassOf = کھلاڑی +}}OntologyClass:سنگل20013705586392022-05-15T10:15:15Z{{Class +| labels = +{{label|ur|سنگل}} +{{label|en|single}} +| comments = +{{comment|ur|موسیقی میں، سنگل یا ریکارڈ سنگل ریلیز کی ایک قسم ہے، عام طور پر ایل پی یا سی ڈی سے کم ٹریک کی ریکارڈنگ}} +| rdfs:subClassOf = موسیقی کا کام +| owl:equivalentClass = wikidata:Q134556 +}}OntologyClass:سنیما20013315576102022-04-24T17:37:09Z{{Class +| labels = +{{label|en|cinema (movie theater)}} +{{label|ur|سنیما}} +| rdfs:subClassOf = پنڈال +| comments = +{{comment|en|A building for viewing films.}} +{{comment|ur|فلم دیکھنے کے لیے ایک عمارت۔.}} +| owl:equivalentClass = wikidata:Q41253 +}}OntologyClass:سورج گرہن20013712586682022-05-15T10:45:30Z{{Class +| labels = +{{label|en|solar eclipse}} +{{label|ur|سورج گرہن}} +| rdfs:subClassOf = قدرتی واقعہ +| comments = +{{comment|ur|سورج گرہن ایک ایسا واقعہ ہے جس میں چاند سورج اور زمین کے درمیان مداخلت کرتا ہے، جس کی وجہ سے زمین کے کچھ علاقوں کو معمول سے کم روشنی ملتی ہے}} +| owl:equivalentClass = wikidata:Q3887 +}}OntologyClass:سومو پہلوان20013756587032022-05-15T13:00:05Z{{Class +| labels = +{{label|en|sumo wrestler}} +{{label|ur|سومو پہلوان}} +| rdfs:subClassOf = پہلوان +}}OntologyClass:سپریڈ شیٹ20013697564332022-02-17T04:07:23Z{{Class +| labels = +{{label|ur|سپریڈ شیٹ}} + +|comments= +{{comment|ur|مرتب و شمار یا معلومات کو کام میں لانےوالاایک کمپیوٹر پروگرام}} + +}}OntologyClass:سپیڈ وے ٹیم20013698586632022-05-15T10:41:12Z{{Class +| labels = +{{label|en|speedway team}} +{{label|ur|سپیڈ وے ٹیم}} +| rdfs:subClassOf = کھیل کی جماعت +}}OntologyClass:سڑک20014169588772022-06-20T14:15:18Z{{Class +| labels = +{{label|en|road}} +{{label|ur|سڑک}} +| rdfs:subClassOf = نقل و حمل کا راستہ +| owl:equivalentClass = wikidata:Q34442 +}}OntologyClass:سکہ رائج الوقت20013184577002022-04-25T11:54:02Z{{Class +| labels = +{{label|en|currency}} +{{label|ur|سکہ رائج الوقت}} + +| rdfs:subClassOf = owl:Thing +}}OntologyClass:سیارہ20013972585632022-05-15T05:46:54Z{{Class +| labels = +{{label|en|planet}} +{{label|ur|سیارہ}} +| rdfs:subClassOf = جرم فلکی +| specificProperties = {{SpecificProperty | ontologyProperty = temperature | unit = kelvin }} + {{SpecificProperty | ontologyProperty = orbitalPeriod | unit = day }} + {{SpecificProperty | ontologyProperty = density | unit = kilogramPerCubicMetre }} + {{SpecificProperty | ontologyProperty = mass | unit = kilogram }} + {{SpecificProperty | ontologyProperty = apoapsis | unit = kilometre }} + {{SpecificProperty | ontologyProperty = maximumTemperature | unit = kelvin }} + {{SpecificProperty | ontologyProperty = averageSpeed | unit = kilometrePerSecond }} + {{SpecificProperty | ontologyProperty = volume | unit = cubicKilometre }} + {{SpecificProperty | ontologyProperty = surfaceArea | unit = squareKilometre }} + {{SpecificProperty | ontologyProperty = meanTemperature | unit = kelvin }} + {{SpecificProperty | ontologyProperty = minimumTemperature | unit = kelvin }} + {{SpecificProperty | ontologyProperty = periapsis | unit = kilometre }} + {{SpecificProperty | ontologyProperty = meanRadius | unit = kilometre }} +| owl:equivalentClass = wikidata:Q634 +}}OntologyClass:سیاستدان20013296582412022-05-13T09:59:49Z{{Class +| labels = + +{{label|ur|سیاستدان}} +{{label|en|politician}} +| rdfs:subClassOf = شخص +| owl:equivalentClass = wikidata:Q82955 +}}OntologyClass:سیاستدان میاں بیوی20013983585802022-05-15T06:42:29Z{{Class +| labels = +{{label|en|politician spouse}} +{{label|ur|سیاستدان میاں بیوی}} +| rdfs:subClassOf = شخص +}}OntologyClass:سیاسی تصور20013980585662022-05-15T06:01:40Z{{Class +| labels = + {{label|en|Political concept}} +{{label|ur|سیاسی تصور}} +| comments = + {{comment|en|Political concepts, e.g. Capitalism, Democracy}} + + {{comment|ur|سیاسی تصورات، جیسے سرمایہ داری، جمہوریت}} +| rdfs:subClassOf = موضوع کا تصور +}}OntologyClass:سیاسی تقریب20013981585792022-05-15T06:40:54Z{{Class +| labels = +{{label|en|political function}} +{{label|ur|سیاسی تقریب}} +| rdfs:subClassOf = شخص کی تقریب +}}OntologyClass:سیاسی جماعت20013982586012022-05-15T07:41:32Z{{Class +|labels= +{{label|en|political party}} +{{label|ur|سیاسی جماعت}} +| rdfs:subClassOf = تنظیم +| owl:equivalentClass = wikidata:Q7278 +}}OntologyClass:سینیٹ کا رُکن20013682586462022-05-15T10:23:43Z{{Class +| labels = +{{label|en|senator}} +{{label|ur|سینیٹ کا رُکن}} +| rdfs:subClassOf = سیاستدان +}}OntologyClass:شاعر20013977585652022-05-15T05:53:06Z{{Class +| labels = +{{label|en|poet}} +{{label|ur|شاعر}} + +| rdfs:subClassOf = مصنف +| owl:equivalentClass = wikidata:Q49757 +}}OntologyClass:شاہی20013993585612022-05-15T05:41:24Z{{Class +| labels = +{{label|en|royalty}} +{{label|ur|شاہی}} +| rdfs:subClassOf = شخص +}}OntologyClass:شخص20013142587412022-05-16T18:56:16Z{{Class +| labels = +{{label|ur|شخص}} + {{label|en|person}} + +| rdfs:subClassOf = جانور +| owl:equivalentClass = foaf:شخص, schema:Person, wikidata:Q215627, wikidata:Q5, dul:NaturalPerson +| specificProperties = {{SpecificProperty | ontologyProperty = weight | unit = kilogram }} + {{SpecificProperty | ontologyProperty = height | unit = centimetre }} +}}OntologyClass:شخص کی تقریب20013965585712022-05-15T06:11:02Z{{Class +| labels = +{{label|en|person function}} +{{label|ur|شخص کی تقریب}} +| rdfs:subClassOf = owl:Thing +}}OntologyClass:شراب20013860575642022-04-24T15:06:18Z{{Class +|labels= + {{label|en|wine}} + {{label|ur|شراب}} + +| rdfs:subClassOf = مشروب +| owl:equivalentClass = wikidata:Q282 +}}OntologyClass:شراب خانہ20014123586532022-05-15T10:28:25Z{{Class +| labels = +{{label|ur|شراب خانہ}} +{{label|en|winery}} + +| rdfs:subClassOf = تِجارتی اِدارہ +| owl:equivalentClass = wikidata:Q156362 +}}OntologyClass:شراب کا علاقہ20014100585092022-05-14T19:27:42Z{{Class +| labels = +{{label|ur|شراب کا علاقہ}} +{{label|en|wine region}} + +| rdfs:subClassOf = جگہ +}}OntologyClass:شریان20013437579172022-05-05T11:28:05Z{{Class +| labels = +{{label|ur|شریان}} +{{label|en|artery}} + +| rdfs:subClassOf = جسمانی ساخت +| owl:equivalentClass = wikidata:Q9655 +}}OntologyClass:شریف خاندان20013607586252022-05-15T08:20:15Z{{Class +| labels = +{{label|en|Noble family}} + +{{label|ur|شریف خاندان}} + +| rdfs:subClassOf =خاندان +| comments = +{{comment|en|Family deemed to be of noble descent}} +{{comment|ur|خاندان کو شریف النسل سمجھا جاتا ہے۔}} +| owl:equivalentClass = wikidata:Q13417114 +}}OntologyClass:شطرنج کا کھلاڑی20013312576072022-04-24T17:29:45Z{{Class +| labels = +{{label|en|chess player}} +{{label|ur|شطرنج کا کھلاڑی}} +| rdfs:subClassOf = کھلاڑی +}}OntologyClass:شعبہ20013264584492022-05-14T17:25:25Z{{Class +| labels = +{{label|en|department}} +{{label|ur|شعبہ}} +| rdfs:subClassOf = حکومتی انتظامی علاقہ +}}OntologyClass:شماریات20013752587022022-05-15T12:58:10Z{{Class +| labels = +{{label|en|statistic}} +{{label|ur|شماریات}} +| owl:equivalentClass = wikidata:Q1949963 +}}OntologyClass:شناخت کنندہ20013661587612022-05-16T19:36:11Z{{Class +| labels= +{{label|ur|شناخت کنندہ}} +{{label|en|identifier}} + +| owl:equivalentClass = wikidata:Q6545185 +}}OntologyClass:شوقیہ مکے باز20013898577392022-04-26T12:06:44Z{{Class +| labels = {{label|en|amateur boxer}} +{{label|ur|شوقیہ مکے باز}} + +| rdfs:subClassOf = مکے باز +}}OntologyClass:شہر20013271574912022-04-24T10:36:10Z{{Class +| labels = +{{label|ur|شہر}} +{{label|en|city}} +| comments = +{{comment|en|a relatively large and permanent settlement, particularly a large urban settlement}} + +{{comment|ur|ایک نسبتا بڑی اور مستقل آبادی ، خاص طور پر ایک بڑی شہری بستی}} +| rdfs:subClassOf = بستی +| owl:equivalentClass = schema:City, wikidata:Q515 +}}OntologyClass:شہر کا ضلع20013322576122022-04-24T17:42:07Z{{Class +| labels = +{{label|en|city district}} +{{label|ur|شہر کا ضلع}} +| comments = +{{comment|en|District, borough, area or neighbourhood in a city or town}} + +{{comment|ur|کسی شہر یا قصبے میں ضلع کا علاقہ یا محلہ۔}} +| rdfs:subClassOf = بستی +| owl:equivalentClass = +}}OntologyClass:شہر کا منتظم20013926578962022-05-05T10:54:15Z{{Class +| labels = +{{label|ur| شہر کا منتظم }} +{{label|en|mayor}} +| rdfs:subClassOf = سیاستدان + +| owl:equivalentClass = wikidata:Q30185 +}}OntologyClass:صحافی20013643569412022-03-05T05:34:15Z{{Class +| labels = +{{label|en|journalist}} +{{label|ur|صحافی}} +| rdfs:subClassOf = شخص +| owl:equivalentClass = wikidata:Q1930187 +}}OntologyClass:صدر20013990585702022-05-15T06:08:14Z{{Class +| labels = +{{label|en|president}} +{{label|ur|صدر}} +| rdfs:subClassOf = سیاستدان +| owl:equivalentClass = wikidata:Q30461 +}}OntologyClass:صنف20013323577702022-04-26T12:52:27Z{{Class +|labels= +{{label|en|genre}} +{{label|ur|صنف}} +| rdfs:subClassOf = موضوع کا تصور +}}OntologyClass:صنوبر کی قِسم کا پودا20013163576902022-04-25T11:35:11Z{{Class +| labels = +{{label|en|conifer}} + {{label|ur|صنوبر کی قِسم کا پودا}} +| rdfs:subClassOf = پودا +| comments = + {{comment|ur| عروقی (نالی دار)پودے ہیں ، بیج ایک شنک میں موجود ہوتے ہیں۔ وہ لکڑی کے پودے ہیں۔}} +}} +== References == +<references />OntologyClass:صوبہ20013531584932022-05-14T19:11:10Z{{Class +| labels = + {{label|en|province}} +{{label|ur|صوبہ}} + +| comments = + {{comment|en|An administrative body governing a territorial unity on the intermediate level, between local and national level}} + +{{comment|ur|ایک انتظامی ادارہ جو مقامی اور قومی سطح کے درمیان انٹرمیڈیٹ سطح پر علاقائی وحدت کا انتظام کرتا ہے۔}} +| rdfs:subClassOf = حکومتی انتظامی علاقہ +| owl:equivalentClass = +}}OntologyClass:ضلع20013529584902022-05-14T19:07:30Z{{Class +| labels = +{{label|en|district}} +{{label|ur|ضلع}} +| comments = + +{{comment|ur|ضلع کے تحت انتظامی علاقے کا حصہ}} +| rdfs:subClassOf =حکومتی انتظامی علاقہ +}}OntologyClass:ضِلَع20013267575962022-04-24T16:48:06Z{{Class +| labels = +{{label|en|canton}} +{{label|ur|ضِلَع}} +| comments = +{{comment|en|An administrative (France) or lawcourts (Netherlands) body governing a territorial unity on the municipal level or somewhat above}} + +{{comment|ur|ایک انتظامی (فرانس) یا قانون کی عدالت (نیدرلینڈز) کا ادارہ جو علاقائی وحدت کا انتظام کرتا ہے بلدیاتی سطح پر یا اس سے کچھ اوپر}} +| rdfs:subClassOf = حکومتی انتظامی علاقہ +| owl:equivalentClass = +}}OntologyClass:طبی خصوصیت20013779579002022-05-05T10:59:15Z{{Class +| labels = + {{label|de|طبی خصوصیت}} + {{label|en|medical specialty}} +| rdfs:subClassOf = owl:Thing +| owl:equivalentClass = wikidata:Q930752 +}}OntologyClass:طبیب20013737579922022-05-06T10:20:04Z{{Class +| labels = + +{{label|ur|طبیب}} +{{label|en|medician}} +| rdfs:subClassOf = سائنسدان +}}OntologyClass:طوفانی لہر20013796587112022-05-15T13:18:21Z{{Class +| labels = +{{label|en|storm surge}} +{{label|ur|طوفانی لہر}} +| rdfs:subClassOf = قدرتی واقعہ +| comments = +{{comment|ur|64-72 ناٹس (بیفورٹ اسکیل پر 11) اور بارش اور گرج چمک کے ساتھ ایک پرتشدد موسمی صورتحال}} +}}OntologyClass:طيار20014110585762022-05-15T06:27:51Z{{Class +| labels = + {{label|en|Pilot}} + +{{label|ur|طیارہ اڑانے والا}} +| rdfs:subClassOf = شخص +}}OntologyClass:طیارہ اڑانے والا20013971580742022-05-11T04:23:50Z{{Class +| labels = +{{label|ur|طیارہ اڑانے والا}} +| rdfs:subClassOf = شخص +}}OntologyClass:ظریف20013658569242022-03-04T06:56:33Z{{Class +| labels = +{{label|en|humorist}} +{{label|ur|ظریف}} + +| rdfs:subClassOf = فنکار +}}OntologyClass:عالمی ثقافتی ورثہ20014125586612022-05-15T10:38:05Z{{Class +| labels = +{{label|ur|عالمی ثقافتی ورثہ}} +{{label|en|World Heritage Site}} +| comments = +{{comment|ur|یونیسکو کی عالمی ثقافتی ورثہ سائٹ ایک ایسی جگہ ہے (جیسے جنگل، پہاڑ، جھیل، صحرا، یادگار، عمارت، کمپلیکس، یا شہر) جو اس فہرست میں شامل ہے جسے یونیسکو کی عالمی ثقافتی ورثہ کمیٹی کے زیر انتظام بین الاقوامی عالمی ثقافتی ورثہ پروگرام کے ذریعے برقرار رکھا جاتا ہے۔ 21 ریاستی پارٹیوں پر مشتمل ہے جنہیں ان کی جنرل اسمبلی چار سال کی مدت کے لیے منتخب کرتی ہے۔ عالمی ثقافتی ورثہ کی جگہ ثقافتی یا جسمانی اہمیت کی حامل جگہ ہے}} +{{comment|en|A 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.}} +| rdfs:subClassOf = جگہ +| owl:equivalentClass = wikidata:Q9259 +}}OntologyClass:عالمی وباء20013959585922022-05-15T07:17:20Z{{Class +| labels = +{{label|en|Pandemic}} +{{label|ur|عالمی وباء}} + +| comments = +{{comment|en|Global epidemic of infectious disease}} + +{{comment|ur|متعدی بیماری کی عالمی وبا}} +| rdfs:subClassOf = owl:Thing +| rdfs:domain = owl:Thing +| rdfs:range = Pandemic +}}OntologyClass:عجائب گھر20013943579832022-05-06T07:34:43Z{{Class +| labels = + +{{label|ur|عجائب گھر}} +{{label|en|museum}} +| rdfs:subClassOf = عمارت +| owl:equivalentClass = schema:Museum +| owl:equivalentClass = wikidata:Q33506 +}}OntologyClass:عرفیت20013753587052022-05-15T13:02:28Z{{Class +| labels = +{{label|en|surname}} +{{label|ur|عرفیت}} + +|comments= +{{comment|ur|خاندانی نام}} +| rdfs:subClassOf = نام +}}OntologyClass:عضو20013671579942022-05-06T10:29:52Z{{Class +| labels = + {{label|en|organ}} + {{label|ur|عضو}} +| comments = + {{ comment|ur|اعضاء کی تمام اقسام اور سائز}} + +| rdfs:subClassOf = ساز + +| owl:equivalentClass = wikidata:Q1444 +}}OntologyClass:عظیم20013599586112022-05-15T07:58:42Z{{Class +| labels = +{{label|en|noble}} +{{label|ur|عظیم}} + +| rdfs:subClassOf = شخص + +}}OntologyClass:علاقہ20013138574622022-04-24T09:19:25Z{{Class +| labels = +{{label|en|region}} +{{label|ur|علاقہ}} + +| rdfs:subClassOf = آبادی والی جگہ +| owl:equivalentClass = wikidata:Q3455524 +}}OntologyClass:علاقے کا دارالحکومت20013268575992022-04-24T16:55:10Z{{Class +| labels = +{{label|en|Capital of region}} +{{label|ur|علاقے کا دارالحکومت}} +| comments = +{{comment|ur|فرسٹ آرڈر ایڈمنسٹریشن ڈویژن کی نشست۔}} +{{comment|en|seat of a first order administration division.}} +| rdfs:subClassOf = شہر +}}OntologyClass:علما کا حکم20013852575352022-04-24T12:18:44Z{{Class +| labels = +{{label|en|clerical order}} + +{{label|ur|علما کا حکم}} +| comments = +{{comment|ur|خانقاہی حکم مذہبی، مردوں یا عورتوں کا ایک حکم ہے، جو ایک مشترکہ عقیدہ اور خانقاہی اصول کے بارے میں متحد ہو گئے ہیں جس کے وہ پابند ہیں، اور ایک ہی مقامی کمیونٹی، ایک خانقاہ یا مندر کے اندر مستقل طور پر ایک ساتھ رہتے ہیں۔ ہم خیال مذہبیوں کی کئی خانقاہیں مل کر ایک خانقاہی ترتیب بناتی ہیں۔}} +| rdfs:subClassOf = مذہبی تنظیم +}}OntologyClass:علمی انتظامی علاقہ20013136576812022-04-25T11:17:23Z{{Class +| labels = +{{label|en|clerical administrative region}} +{{label|ur|علمی انتظامی علاقہ }} +| comments = + {{comment|en|An administrative body governing some territorial unity, in this case a clerical administrative body}} + +{{comment|ur| ایک علمی انتظامی معاملات میں ایک انتظامی ادارہ جو کچھ علاقائی وحدت کو کنٹرول کرتا ہے}} +| rdfs:subClassOf = انتظامی علاقہ +| owl:equivalentClass = +}}OntologyClass:عمارت20013320575072022-04-24T11:04:17Z{{Class +| labels = +{{label|en|building}} +{{label|ur|عمارت}} +| comments = +{{comment|ur|عمارت کو سول انجینئرنگ ڈھانچے سے تعبیر کیا جاتا ہے جیسے مکان ، عبادت گاہ ، فیکٹری وغیرہ جس کی بنیاد ، دیوار ، چھت وغیرہ ہوتی ہے جو انسان اور ان کی خصوصیات کو موسم کے براہ راست سخت اثرات جیسے بارش ، ہوا ، سورج وغیرہ سے محفوظ رکھتی ہے۔ }} + +{{comment|en|Building 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).}} + +| rdfs:subClassOf = تعمیراتی ڈھانچے +| owl:disjointWith =شخص +| specificProperties = {{SpecificProperty | ontologyProperty = floorArea | unit = squareMetre }} +| owl:equivalentClass = wikidata:Q41176 +}}OntologyClass:عمید کا عہدہ20013358582252022-05-13T09:10:16Z{{Class +| labels = +{{label|en|deanery}} +{{label|ur|عمید کا عہدہ}} +| comments = +{{comment|ur|گرجا گھر کا حلقہ اور بشپ کے دائرہ اختیار کا حلقہ کے مابین علمی انتظامی ادارے کی انٹرمیڈیٹ سطح۔}} +| rdfs:subClassOf = علمی انتظامی علاقہ +| owl:equivalentClass = +}}OntologyClass:عنکبات20013302578862022-05-05T08:48:55Z{{Class +| labels = +{{label|en|arachnid}} +{{label|ur|عنکبات}} +|comments= +{{comment|ur|حیوانیات میں اِس خاندان کا نام جِس میں مکڑی اور بچھو وغیرہ شامِل ہیں}} + +| rdfs:subClassOf = جانور +}}OntologyClass:عوامی راہداری کا نظام20013237587522022-05-16T19:09:33Z{{Class +| labels = +{{label|ur|عوامی راہداری کا نظام}} +{{label|en|public transit system}} + +| comments = +{{comment|ur|عوامی راہداری کا نظام ایک مشترکہ عوامی نقل و حمل کی سروس ہے جو عام لوگوں کے استعمال کے لیے دستیاب ہے۔عوامی نقل و حمل کے طریقوں میں بسیں ، ٹرالی بسیں ، ٹرام اور ٹرینیں ، 'تیز رفتارراہداری' (میٹرو/زمین دوز برقی ریل/زیر زمین وغیرہ) اور فیری شامل ہیں۔}} +{{comment|en|A 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).}} + + +| rdfs:subClassOf = تِجارتی اِدارہ +}}OntologyClass:عورت20014101585122022-05-14T19:30:57Z{{Class +| labels = +{{label|ur|عورت}} +{{label|en|woman}} + +| rdfs:subClassOf = شخص +| owl:equivalentClass = wikidata:Q467 +}}OntologyClass:عکسی تصویر اتارنے والا20013970585622022-05-15T05:43:44Z{{Class +| labels = +{{label|en|photographer}} +{{label|ur|عکسی تصویر اتارنے والا}} +| rdfs:subClassOf = فنکار +| owl:equivalentClass = wikidata:Q33231 +}}OntologyClass:عہدے دار20013673579712022-05-06T02:40:28Z{{Class +| labels = +{{label|en|office holder}} +{{label|ur|عہدے دار}} +| rdfs:subClassOf = شخص +}}OntologyClass:عیسائی نظریہ20013849575222022-04-24T11:42:02Z{{Class +| labels = +{{label|en|Christian Doctrine}} + +{{label|ur|عیسائی نظریہ}} + +| comments = {{comment|en|Tenets of the Christian faith, e.g. Trinity, Nicene Creed}} +{{comment|ur|عیسائی عقیدے کے اصول، جیسے تثلیث، نیکین عقیدہ}} +| rdfs:subClassOf = مذہبی تصور +}}OntologyClass:عیسائی پادري20013925578952022-05-05T10:47:11Z{{Class +| labels = +{{label|en|Christian Bishop}} +{{label|ur| عیسائی پادري}} +| rdfs:subClassOf = پادری +}}OntologyClass:عیسائی پادری20013869581872022-05-13T03:05:28Z{{Class +| labels = +{{label|en|Christian Patriarch}} + +{{label|ur|عیسائی پادری}} +| rdfs:subClassOf = پادری +}}OntologyClass:غار20013846575112022-04-24T11:13:17Z{{Class +| labels = + +{{label|ur|غار}} + +| rdfs:subClassOf =قدرتی جگہ +| owl:equivalentClass = wikidata:Q35509 +}}OntologyClass:غول20013515582502022-05-13T10:28:59Z{{Class +| labels = + +{{label|ur|غول}} +{{label|en|Swarm}} +| rdfs:subClassOf = جرم فلکی}}OntologyClass:غیر منافع بخش تنظیم20013654586052022-05-15T07:45:38Z{{Class +| labels= +{{label|en|non-profit organisation}} +{{label|ur|غیر منافع بخش تنظیم}} +| rdfs:subClassOf = تنظیم +| owl:equivalentClass = wikidata:Q163740 +}}OntologyClass:فائل20013554581472022-05-12T18:10:05Z{{Class +| labels = +{{label|ur|فائل}} +{{label|en|file}} +| comments = +{{comment|ur|فائل نام کے ساتھ ایک دستاویز}} +{{comment|en|A document with a filename}} +| rdfs:subClassOf = دستاویز +| owl:equivalentClass = +}}OntologyClass:فائل سسٹم20013542581592022-05-12T18:51:48Z{{Class +|labels= + {{label|ur|فائل سسٹم}} +{{label|en|File system}} +|comments= +{{comment|ur|فائلوں میں درجہ بندی کا نظام}} +{{comment|en|File classification system}} +| owl:disjointWith = شخص +| rdfs:subClassOf = owl:Thing +}}OntologyClass:فارمولا ون ریسر20013545581532022-05-12T18:22:25Z{{Class +| labels = +{{label|ur|فارمولا ون ریسر}} +{{label|en|Formula One racer}} + +| rdfs:subClassOf = مقابلہ میں کاریں چلانے والے +}}OntologyClass:فارمولا ون ریسنگ20013548581622022-05-12T18:58:26Z{{ Class +| labels = +{{label|ur|فارمولا ون ریسنگ}} +{{label|en|formula one racing}} +| rdfs:subClassOf = کھیلوں کی انجمن +}}OntologyClass:فارمولا ون ٹیم20013552581412022-05-12T17:53:50Z{{Class +| labels = +{{label|ur|فارمولا ون ٹیم}} +{{label|en|formula 1 team}} +| rdfs:subClassOf = کھیل کی ٹیم +}}OntologyClass:فراعنہ20013967584412022-05-14T17:08:01Z{{Class +| labels = + {{label|ur|فراعنہ}} + {{label|en|Pharaoh}} +|comments= +{{comment|ur| قدیم بادشاہوں کا ایک لقب}} +| rdfs:subClassOf = شاہی +}}OntologyClass:فرانس کا انتظامی ضلع20013316579142022-05-05T11:23:50Z{{Class +| labels = +{{label|ur|فرانس کا انتظامی ضلع}} +{{label|en|arrondissement}} +| comments = +{{comment|ur|ایک انتظامی (فرانس) یا قانون کی عدالتیں (نیدرلینڈز) جو کہ علاقائی وحدت پر مقامی اور قومی سطح کے درمیان حکمرانی کرتی ہیں}} +{{comment|en|An administrative (France) or lawcourts (Netherlands) body governing a territorial unity on the intermediate level, between local and national level}} +| rdfs:subClassOf = حکومتی انتظامی علاقہ +| owl:equivalentClass = +}}OntologyClass:فرقہ واریت20013760587732022-05-16T19:51:36Z{{Class +| labels = + +{{label|ur|فرقہ واریت}} +{{label|en|Intercommunality}} +| rdfs:subClassOf = آبادی والی جگہ +| owl:equivalentClass = wikidata:Q3153117 +}}OntologyClass:فروخت20013732586722022-05-15T11:39:11Z{{Class +| labels = + {{label|en|sales}} + {{label|ur|فروخت}} +| rdfs:subClassOf = سرگرمی +| owl:equivalentClass = wikidata:Q194189 +}}OntologyClass:فلسفی20013968585752022-05-15T06:25:07Z{{Class +| labels = +{{label|en|philosopher}} +{{label|ur|فلسفی}} +| rdfs:subClassOf = شخص +| owl:equivalentClass = wikidata:Q4964182 +}}OntologyClass:فلسفیانہ تصور20013969585952022-05-15T07:35:15Z{{Class +| labels = + {{label|en|Philosophical concept}} +{{label|ur|فلسفیانہ تصور}} +| comments = + {{comment|en|Philosophical concepts, e.g. Existentialism, Cogito Ergo Sum}} + +{{comment|ur|فلسفیانہ تصورات، جیسے وجودیت، ٹریوس سم}} +| rdfs:subClassOf = موضوع کا تصور +}}OntologyClass:فلم20013215581342022-05-12T17:34:35Z{{Class +| labels = +{{label|ur|فلم}} +{{label|en|film}} +| rdfs:subClassOf = کام +| owl:equivalentClass = schema:Movie ,wikidata:Q11424 +}}OntologyClass:فلم کا ہدایت کار20014052583582022-05-14T10:11:17Z{{Class +| labels = + +{{label|ur|فلم کا ہدایت کار }} +{{label|en|Movie director}} +| comments = +{{comment|ur|ایک شخص جو فلم بنانے کی نگرانی کرتا ہے}} +{{comment|en|a person who oversees making of film.}} +| rdfs:subClassOf = شخص +| owl:equivalentClass = wikidata:Q2526255 +}}OntologyClass:فلم کی صنف20013769577692022-04-26T12:51:24Z{{Class +|labels= +{{label|en|movie genre}} +{{label|ur|فلم کی صنف}} + + +| rdfs:subClassOf = صنف + +}}OntologyClass:فلمی میلہ20013553581482022-05-12T18:13:33Z{{Class +| labels = +{{label|ur|فلمی میلہ}} +{{label|en|film festival}} +| rdfs:subClassOf = معاشرتی واقعہ, schema:Festival +| owl:equivalentClass = wikidata:Q220505 +}}OntologyClass:فلک بوس عمارت20013708586592022-05-15T10:36:30Z{{Class +| labels = +{{label|en|skyscraper}} +{{label|ur|فلک بوس عمارت}} +| rdfs:subClassOf = عمارت +| owl:equivalentClass = wikidata:Q11303 +}}OntologyClass:فنکار20013150575492022-04-24T14:30:32Z{{Class +| labels = +{{label|en|artist}} +{{label|ur|فنکار}} +| rdfs:subClassOf = شخص +| owl:equivalentClass = wikidata:Q483501 +}}OntologyClass:فنکارانہ انداز کی مدت20013964585742022-05-15T06:22:45Z{{Class +|labels= + {{label|en|period of artistic style}} +{{label|ur|فنکارانہ انداز کی مدت}} +| rdfs:subClassOf = وقت کی مدت +| owl:disjointWith = شخص +}}OntologyClass:فنکارانہ صنف20013321579242022-05-05T12:12:09Z{{Class +|labels= +{{label|en|artistic genre}} +{{label|ur|فنکارانہ صنف}} +| comments = +{{comment|ur|فن کی انواع }} +{{comment|en|Genres of art, e.g. Pointillist, Modernist}} +| rdfs:subClassOf = صنف +| rdfs:comment = Please note, that the two comments (English and German) depart from different definitions +}}OntologyClass:فنکارکاریکارڈ نامہ20013930579302022-05-05T12:34:53Z{{Class +| labels = +{{label|en|artist discography}} +{{label|ur|فنکارکاریکارڈ نامہ}} +| rdfs:subClassOf = موسیقی کا کام +}}OntologyClass:فوجی افسر20014107585482022-05-14T20:34:08Z{{Class +| labels = +{{label|en|lieutenant}} +{{label|ur|فوجی افسر}} + +| rdfs:subClassOf = سیاستدان + +}}OntologyClass:فوجی تنازعہ20013741579992022-05-06T10:37:56Z{{Class +| labels = + +{{label|ur|فوجی تنازعہ}} +{{label|en|military conflict}} + +| rdfs:subClassOf = معاشرتی واقعہ + +}}OntologyClass:فوجی خدمات20013782579162022-05-05T11:27:24Z{{Class +|labels= +{{label|ur|فوجی خدمات}} +{{label|en|military service}} +| rdfs:subClassOf = کیریئر سٹیشن + +}}OntologyClass:فوجی شخص20013896577332022-04-26T11:52:03Z{{Class +| labels = +{{label|en|military person}} + +{{label|ur|فوجی شخص}} +| rdfs:subClassOf = شخص +}}OntologyClass:فوجی ڈھانچہ20013546580002022-05-06T10:47:30Z{{Class +| labels = +{{label|ur|فوجی ڈھانچہ}} +{{label|en|military structure}} +| comments = +{{comment|ur|ایک فوجی ڈھانچہ جیسے قلعہ اور دیوار وغیرہ}} +{{comment|en|A military structure such as a Castle, Fortress, Wall, etc.}} +| rdfs:subClassOf = تعمیراتی ڈھانچہ +}}OntologyClass:فوجی گاڑی20013783579252022-05-05T12:12:09Z{{Class +| labels = + +{{label|ur|فوجی گاڑی}} +{{label|en|military vehicle}} +| rdfs:subClassOf = نقل و حمل کے ذرائع +, schema:Product +| owl:equivalentClass = +}}OntologyClass:فوجی ہوائی جہاز20013781579152022-05-05T11:24:05Z{{Class +| labels = +{{label|ur|فوجی ہوائی جہاز}} +{{label|en|military aircraft}} +| rdfs:subClassOf = ہوائی جہاز + +}}OntologyClass:فوجی یونٹ20013897577352022-04-26T11:55:04Z{{Class +| labels = +{{label|en|military unit}} + +{{label|ur|فوجی یونٹ}} +| rdfs:subClassOf = تنظیم +| owl:equivalentClass = wikidata:Q176799 +}}OntologyClass:فٹ بال باہمی مقابلہ20013690586852022-05-15T12:09:30Z{{Class +| labels = +{{label|en|soccer tournoment}} + {{label|ur|فٹ بال باہمی مقابلہ}} +| rdfs:subClassOf = باہمی مقابلہ +}}OntologyClass:فٹ بال تنظیم20014118586312022-05-15T08:34:50Z{{Class +| labels = +{{label|en|soccer club}} + +{{label|ur|فٹ بال تنظیم}} +| rdfs:subClassOf = کھیلوں کی تنظیم + + +| owl:equivalentClass = wikidata:Q476028 +}}OntologyClass:فٹ بال لیگ کے موسم20013551581392022-05-12T17:47:53Z{{Class +| labels = +{{label|ur| فٹ بال لیگ کے موسم}} +{{label|en| football league season}} +| rdfs:subClassOf = کھیل کی ٹیم کا موسم +}}OntologyClass:فٹ بال مقابلہ20013544581512022-05-12T18:19:17Z{{Class +| labels = +{{label|ur|فٹ بال مقابلہ}} +{{label|en|football match}} +| comments = +{{comment|ur|دو فٹ بال ٹیموں کے درمیان مقابلہ}} +{{comment|en|a competition between two football teams}} +| rdfs:subClassOf = کھیلوں کی تقریب +}}OntologyClass:فٹ بال منتظم20013713586692022-05-15T10:48:28Z{{Class +| rdfs:label@en = soccer manager +| rdfs:subClassOf = کھیلوں کا منتظم +| owl:equivalentClass = wikidata:Q628099 + +|labels= +{{label|ur|فٹ بال منتظم}} +}}OntologyClass:فٹ بال کلب کا موسم20013715586702022-05-15T10:51:40Z{{Class +| labels = +{{label|en|soccer club season}} +{{label|ur|فٹ بال کلب کا موسم}} +| rdfs:subClassOf = کھیل کی ٹیم کا موسم +}}OntologyClass:فٹ بال کی انجمن20013722564952022-02-17T10:35:26Z{{Class +| labels = +{{label|ur|فٹ بال کی انجمن}} +| comments = +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروپ جو فٹ بال میں ایک دوسرے کے خلاف مقابلہ کرتا ہے۔}} +| rdfs:subClassOf = کھیلوں کی انجمن +}}OntologyClass:فٹبال کا کھلاڑی20013721564932022-02-17T10:28:02Z{{Class +| labels = +{{label|ur|فٹبال کا کھلاڑی}} +| rdfs:subClassOf = کھلاڑی +| owl:equivalentClass = wikidata:Q937857 +}}OntologyClass:فگر سکیٹر۔20013213551052021-09-10T06:38:23Z{{Class +| labels = +{{label|ur| فگر سکیٹر}} + +| rdfs:subClassOf = ونٹر اسپورٹ پلیئر۔ +| owl:equivalentClass = wikidata:Q13219587 +}}OntologyClass:فگرسکیٹر20013550581332022-05-12T17:15:27Z{{Class +| labels = +{{label|ur| فگرسکیٹر}} +{{label|en| figure skater}} +| rdfs:subClassOf = سرمائی کھیل کھیلنے والا +| owl:equivalentClass = wikidata:Q13219587 +}}OntologyClass:فہرست20013634582842022-05-13T12:10:44Z{{Class +| labels = + {{label|ur|فہرست}} +{{label|en|list}} +| comments = + {{comment|ur|اشیاء کی عمومی فہرست}} +{{comment|en|A general list of items.}} +| owl:equivalentClass = skos:OrderedCollection, dul:Collection +| rdfs:subClassOf = owl:Thing +}}OntologyClass:قاتل20013702580242022-05-06T16:02:42Z{{Class +| labels = +{{label|ur|قاتل}} +{{label|en|murderer}} +| rdfs:subClassOf = مجرم +| owl:equivalentClass = wikidata:Q16266334 +}}OntologyClass:قاضی20013644569492022-03-05T05:47:10Z{{Class +| labels = +{{label|en|judge}} +{{label|ur|قاضی}} +| rdfs:subClassOf = شخص +| owl:equivalentClass = wikidata:Q16533 +}}OntologyClass:قانون20013617585332022-05-14T20:04:12Z{{Class +| labels = +{{label|en|law}} +{{label|ur|قانون}} +| rdfs:subClassOf = تحریری کام +}}OntologyClass:قانونی فرم20013619585432022-05-14T20:27:01Z{{Class +| labels = +{{label|en|law firm}} +{{label|ur|قانونی فرم}} +| rdfs:subClassOf = تِجارتی اِدارہ +| comments = +{{comment|en|A 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.}} + + + +{{comment|ur| ایک قانونی فرم ایک کاروباری ادارہ ہے جسے ایک یا زیادہ وکلاء نے قانون کی مشق میں مشغول کرنے کے لیے تشکیل دیا ہے۔ قانونی فرم کی طرف سے فراہم کردہ بنیادی خدمت کلائنٹس (افراد یا کارپوریشنز) کو ان کے قانونی حقوق اور ذمہ داریوں کے بارے میں مشورہ دینا ہے، اور دیوانی یا فوجداری مقدمات، کاروباری لین دین، اور دیگر معاملات میں اپنے مؤکلوں کی نمائندگی کرنا ہے جن میں قانونی مشورہ اور دیگر مدد طلب کی جاتی ہے۔}} +| owl:equivalentClass = wikidata:Q613142 +}}OntologyClass:قانونی مقدمہ20013621585342022-05-14T20:05:24Z{{Class +| labels = + {{label|en|Legal Case}} + {{label|ur|قانونی مقدمہ}} +| rdfs:subClassOf = معاملہ +| owl:equivalentClass = wikidata:Q2334719 +}}OntologyClass:قبر کی یادگار20013483582422022-05-13T10:01:15Z{{Class +| labels = +{{label|ur|قبر کی یادگار}} +{{label|en|grave stone or grave monument}} +| comments = +{{comment|ur|ایک یادگار ایک مقبرے پر کھڑی کی گئی ، یا ایک یادگار پتھر}} +{{comment|en|A monument erected on a tomb, or a memorial stone.}} +| rdfs:subClassOf =یادگار +}}OntologyClass:قبرستان20013428555962021-09-15T08:51:57Z{{Class +| labels = +{{label|en|cemetery}} +{{label|ga|reilig}} +{{label|de|Friedhof}} +{{label|el|νεκροταφείο}} +{{label|ur|قبرستان}} +{{label|fr|cimetière}} +{{label|es|cementerio}} +{{label|nl|begraafplaats}} +{{label|ja|墓地}} + +| comments = +{{comment|en|A burial place}} +{{comment|ur|ایک تدفین کی جگہ}} +{{comment|el|Νεκροταφείο (ή Κοιμητήριο) ονομάζεται ο χώρος ο προορισμένος για την ταφή των νεκρών.}} +{{comment|fr|Un cimetière est un groupement de sépultures monumentales.<ref>https://fr.wikipedia.org/wiki/Cimetière</ref>}} + +| rdfs:subClassOf = Place +| owl:equivalentClass = wikidata:Q39614 +}} + +== References == + +<references/>OntologyClass:قدرتی جگہ20013187575132022-04-24T11:14:42Z{{Class +|labels = + {{label|en|natural place}} + {{label|ur|قدرتی جگہ}} +| comments = +{{comment|ur|قدرتی جگہ کائنات میں قدرتی طور پر پائے جانے والے تمام مقامات پر محیط ہے۔}} +{{comment|en|The natural place encompasses all places occurring naturally in universe.}} + +| rdfs:subClassOf = جگہ +}}OntologyClass:قدرتی علاقہ20014114586092022-05-15T07:55:32Z{{Class +| labels = +{{label|en|natural region}} +{{label|ur|قدرتی علاقہ}} +| rdfs:subClassOf = علاقہ + +| comments = +{{comment|ur|قدرتی رقبہ کا استعمال کسی جغرافیائی علاقے کی حد کو بیان کرنے کے لیے کیا جاتا ہے جس میں بشریات کی مداخلت کم از کم موجود نہیں ہوتی}} +| owl:equivalentClass = wikidata:Q1970725 +}}OntologyClass:قدرتی واقعہ20013446586212022-05-15T08:13:46Z{{Class +| labels = +{{label|en|natural event}} + {{label|ur|قدرتی واقعہ}} +| rdfs:subClassOf = تقریب +| comments = + + {{comment|ur|مادی تقریب کا استعمال قدرتی طور پر رونما ہونے والے واقعے کو بیان کرنے کے لیے کیا جاتا ہے۔}} + +| rdfs:subClassOf =تقریب + +}}OntologyClass:قدیم تاریخی زمانہ20014010582132022-05-13T04:01:21Z{{Class +|labels= +{{label|en|protohistorical period}} +{{label|ur|قدیم تاریخی زمانہ}} +|comments= +{{comment|ur|انسانوں کےمطالعہ تحریر کی ایجاد سے پہلےکی مدت}} +| rdfs:subClassOf = وقت کی مدت +| owl:disjointWith = شخص +}}OntologyClass:قسم20013165587462022-05-16T18:59:56Z{{Class +| labels= +{{label|ur|قسم}} +{{label|en|species}} + +| comments= + + +{{comment|ur|درجہ بندی کے نظام میں ایک زمرہ}} +{{comment|en|A category in the rating system}} + +| rdfs:subClassOf = owl:Thing +<!-- dul:Organism --> +}}OntologyClass:قصبہ20014058583702022-05-14T11:49:29Z{{Class +| labels = +{{label|ur|قصبہ}} +{{label|en|town}} + +| rdfs:subClassOf = بستی +| comments = +{{comment|ur|چند سو سے لے کر کئی ہزار (کبھی کبھار سیکڑوں ہزاروں) تک کی تصفیہ۔ درست معنی ممالک کے درمیان مختلف ہوتے ہیں اور یہ ہمیشہ قانونی تعریف کا معاملہ نہیں ہوتا ہے۔ عام طور پر، ایک قصبہ کو گاؤں سے بڑا لیکن شہر سے چھوٹا سمجھا جاتا ہے، حالانکہ اس اصول میں مستثنیات ہیں}} +{{comment|en|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.}} +| owl:equivalentClass = wikidata:Q3957 +}}OntologyClass:قطار رائج20014106585372022-05-14T20:12:36Z{{Class +|labels = + {{label|en|line of fashion}} +{{label|ur|قطار رائج}} + +| comments = +{{comment|en|A coherent type of clothing or dressing following a particular fashion}} + +{{comment|ur|ایک مربوط قسم کا لباس یا لباس کسی خاص فیشن کے بعد}} +| rdfs:subClassOf = کام +}}OntologyClass:قلعہ20013547575062022-04-24T11:02:37Z{{Class +| labels = +{{label|ur|قلعہ}} +{{label|en|castle}} +| comments = + {{comment|en|Castles often are, but need not be a military structure. They can serve for status, pleasure and hunt as well.}} + +{{comment|ur|قلعے اکثر ہوتے ہیں، لیکن فوجی ڈھانچہ ہونے کی ضرورت نہیں ہے۔ وہ حیثیت، خوشی اور شکار کے لیے بھی خدمت کر سکتے ہیں}} +| rdfs:subClassOf = عمارت +}}OntologyClass:قلم کار20013730586742022-05-15T11:43:10Z{{Class +| labels = +{{label|en|screenwriter}} +{{label|ur|قلم کار}} +| comments = +{{comment|ur|قلم کار نہ صرف سیریز کا پلاٹ لکھتا ہے بلکہ ڈرامے کے مرکزی کرداروں کو ایجاد کرنے والا بھی ہوتا ہے}} +| rdfs:subClassOf = مصنف +| owl:equivalentClass = wikidata:Q28389 +}}OntologyClass:قمری گڑھا20013640585292022-05-14T19:55:17Z{{Class +| labels = + {{label|en|lunar crater}} +{{label|ur|قمری گڑھا}} +| rdfs:subClassOf = دہانه +| specificProperties = {{SpecificProperty | ontologyProperty = diameter | unit = kilometre }} +| owl:equivalentClass = wikidata:Q1348589 +}}OntologyClass:قومی اعلی درجے کا مدرسہ کھیل کے متعلق دوستی20013594586272022-05-15T08:29:38Z{{Class +| labels = +{{label|en|national collegiate athletic association athlete}} + +{{label|ur|قومی اعلی درجے کا مدرسہ کھیل کے متعلق دوستی}} + + +| rdfs:subClassOf = کھلاڑی + +}}OntologyClass:قومی ترانہ20013650586322022-05-15T08:45:12Z{{Class +| labels = +{{label|en|National anthem}} +{{label|ur|قومی ترانہ}} +| comments = +{{comment|en|Patriotic musical composition which is the offcial national song.}} + +{{comment|ur|محب وطن موسیقی کی ساخت جو سرکاری قومی گانا ہے۔}} + +| rdfs:subClassOf =موسیقی کا کام +| owl:equivalentClass = wikidata:Q23691 +}}OntologyClass:قومی فٹ بال انجمن تقریب20014115586152022-05-15T08:08:03Z{{Class +| labels = +{{label|en|national football league event}} + +{{label|ur|قومی فٹ بال انجمن تقریب}} +| rdfs:subClassOf = کھیلوں کی تقریب + + +}}OntologyClass:قومی فٹ بال تنظیم20014117586282022-05-15T08:31:39Z{{Class +| labels = +{{label|en|national soccer club}} + +{{label|ur|قومی فٹ بال تنظیم}} +| rdfs:subClassOf = فٹ بال تنظیم + + + +}}OntologyClass:قومی فٹ بال لیگ کا موسم20013651585962022-05-15T07:36:06Z{{Class +| labels = +{{label|en|national football league season}} +{{label|ur|قومی فٹ بال لیگ کا موسم}} +| rdfs:subClassOf = فٹ بال لیگ کے موسم + +}}OntologyClass:قومی کالج ورزش انجمن کاموسم20014111585882022-05-15T06:54:10Z{{Class +| labels = +{{label|en|national collegiate athletic association team season}} +{{label|ur|قومی کالج ورزش انجمن کاموسم}} +| rdfs:subClassOf = کھیل کی ٹیم کا موسم + + +}}OntologyClass:قیمتی اشیاء کا مجموعہ20013870576162022-04-24T17:50:45Z{{Class +|labels = + {{label|en|collection of valuables}} + + {{label|ur|قیمتی اشیاء کا مجموعہ }} +| comments = +{{comment|en|Collection of valuables is a collection considered to be a work in itself)}} +{{comment|ur|قیمتی اشیاء کا مجموعہ ایک ایسا مجموعہ ہے جو اپنے آپ میں ایک کام سمجھا جاتا ہے۔}} +| rdfs:subClassOf = کام +}}OntologyClass:لحمیات20014007582072022-05-13T03:46:34Z{{Class +| labels = +{{label|en|protein}} +{{label|ur|لحمیات}} +| rdfs:subClassOf = حیاتیاتی مرکبات +| owl:equivalentClass = wikidata:Q8054 +}}OntologyClass:لیکروس انجمن20014105585302022-05-14T19:59:48Z{{Class + +| labels = +{{label|en|lacrosse league}} +{{label|ur|لیکروس انجمن }} +| rdfs:subClassOf = کھیلوں کی انجمن +| comments = +{{comment|en|a group of sports teams that compete against each other in Lacrosse.}} + +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروپ جو لیکروس لیگ میں ایک دوسرے کے خلاف مقابلہ کرتا ہے}} +}}OntologyClass:لیکروس کھلاڑی20013611585412022-05-14T20:22:41Z{{Class +| labels = +{{label|en|lacrosse player}} +{{label|ur|لیکروس کھلاڑی}} +| rdfs:subClassOf = کھلاڑی +}}OntologyClass:ماتحت علاقہ20014057583682022-05-14T11:41:40Z{{Class +| labels = +{{label|ur|ماتحت علاقہ}} +{{label|en|territory}} + + +| comments = + + {{comment|ur|ایک ماتحت علاقہ کسی ملک کی ذیلی تقسیم، ایک غیر خودمختار جغرافیائی خطہ کا حوالہ دے سکتا ہے۔}} +{{comment|en|A territory may refer to a country subdivision, a non-sovereign geographic region.}} +| rdfs:subClassOf = آبادی والی جگہ +}}OntologyClass:مارشل کے فنکار20013946579912022-05-06T10:18:19Z{{Class +| labels = + +{{label|ur|مارشل کے فنکار}} +{{label|en|martial artist}} + + +| rdfs:subClassOf = کھلاڑی +}}OntologyClass:مانگا20013776578892022-05-05T10:25:17Z{{Class +| labels = +{{label|ur|مانگا}} +{{label|en|manga}} +| rdfs:subClassOf = مزاحیہ + +| comments = +{{comment|ur|منگا جاپان میں تخلیق کردہ کامکس ہیں<ref name="manga">http://en.wikipedia.org/wiki/Manga</ref>}} +{{comment|en|Manga are comics created in Japan<ref name="manga">http://en.wikipedia.org/wiki/Manga</ref>}} +| owl:equivalentClass = wikidata:Q8274 +}} +==References== +<references/>OntologyClass:مانہوا20013945579872022-05-06T08:06:09Z{{Class +| labels = +{{label|ur|مانہوا}} + {{label|en|manhua}} + +| rdfs:subClassOf = مزاحیہ +| comments = + +{{comment|ur|کامکس اصل میں چین میں تیار کیے گئے تھے}} +{{comment|en|Comics originally produced in China<ref name="manhua">http://en.wikipedia.org/wiki/Manhua</ref>}} +| owl:equivalentClass = wikidata:Q754669 +}} +==References== +<references/>OntologyClass:ماہر آثار قدیمہ20013303578972022-05-05T10:57:23Z{{Class +| labels = +{{label|en|archeologist}} +{{label|ur|ماہر آثار قدیمہ}} +| rdfs:subClassOf = شخص +| owl:equivalentClass = wikidata:Q3621491 +}}OntologyClass:ماہر حشریات20014050583452022-05-14T05:43:58Z{{Class +| labels = +{{label|ur|ماہر حشریات}} +{{label|en|entomologist}} +| rdfs:subClassOf = سائنسدان +| owl:equivalentClass = wikidata:Q3055126 +}}OntologyClass:ماہر حیاتیات20013289578392022-05-01T18:51:03Z{{Class +| labels = + +{{label|ur|ماہر حیاتیات}} +{{label|en|biologist}} +| rdfs:subClassOf = سائنسدان +| owl:equivalentClass = wikidata:Q3055126 +}}OntologyClass:ماہر فنیات20013454583532022-05-14T06:20:30Z{{Class +| labels = +{{label|ur|ماہر فنیات}} +{{label|en|engineer}} +| rdfs:subClassOf = شخص +| owl:equivalentClass = wikidata:Q81096 +}}OntologyClass:ماہر لسانیات20013632585522022-05-14T20:48:43Z{{Class +| labels = +{{label|en|linguist}} +{{label|ur|ماہر لسانیات}} +| rdfs:subClassOf = شخص +| owl:equivalentClass = wikidata:Q14467526 +}}OntologyClass:ماہر مصریات20013448557732021-09-17T18:48:49Z{{Class +| labels = +{{label|ur|ماہر مصریات}} +| rdfs:subClassOf = شخص +| owl:equivalentClass = wikidata:Q1350189 +}}OntologyClass:ماہر معاشیات20013447559842021-09-18T07:28:24Z{{Class +| labels = + +{{label|ur|ماہر معاشیات}} + +|comments = + {{comment|ur|ایک ماہر معاشیات معاشیات کے سماجی سائنس کے شعبے میں پیشہ ور ہوتا ہے}} +| rdfs:subClassOf = شخص +| owl:equivalentClass = wikidata:Q188094 +}} + +== References == +<references/>OntologyClass:ماہر نفسیات20014004582012022-05-13T03:35:49Z{{Class +| labels = + {{label|en|psychologist}} +{{label|ur|ماہر نفسیات}} +| rdfs:subClassOf = شخص +| owl:equivalentClass = wikidata:Q212980 +}}OntologyClass:مبدہ20014000581932022-05-13T03:20:07Z{{Class +| labels = + {{label|en|Producer}} +{{label|ur|مبدہ}} + +| comments = + {{comment|en|a person who manages movies or music recordings.}} +{{comment|ur|وہ شخص جو فلموں یا میوزک کی ریکارڈنگ کا انتظام کرتا ہے۔}} +| rdfs:subClassOf = شخص +| owl:equivalentClass = schema:Producer, wikidata:Q3282637 +}}OntologyClass:متحرک فلم20013942579792022-05-06T07:23:14Z{{Class +| labels = +{{label|ur|متحرک فلم}} +{{label|en|moving image}} + +| comments = +{{comment|ur|ایک بصری دستاویز جس کا مقصد متحرک ہونا ہے}} +{{comment|en|A visual document that is intended to be animated; equivalent to http://purl.org/dc/dcmitype/MovingImage}} +| rdfs:subClassOf = تصویر + +}}OntologyClass:متواتر ادب20013606574542022-04-24T08:52:17Z{{Class +| labels = +{{label|en|periodical literature}} +{{label |ur| متواتر ادب}} + +| comments = +{{comment|ur| ایک شائع شدہ کام ہے جو ایک باقاعدہ شیڈول پر ایک نئے ایڈیشن میں نمودار ہوتا ہے۔ سب سے واقف مثال اخبار ہیں ، جو اکثر روزانہ یا ہفتہ وار شائع ہوتے ہیں۔ یا میگزین عام طور پر ہفتہ وار ، ماہانہ یا سہ ماہی کے طور پر شائع ہوتا ہے۔ دوسری مثالوں میں ایک نیوز لیٹر ، ایک ادبی جریدہ یا سیکھا ہوا جریدہ ، یا ایک سالانہ کتاب ہوگی۔ +}} + +{{comment|en|Periodical 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.}} + +| rdfs:subClassOf = تحریری کام +| owl:equivalentClass = wikidata:Q1092563 +}}OntologyClass:مجرم20013180576962022-04-25T11:48:43Z{{Class +| labels = + +{{label|en|criminal}} +{{label|ur|مجرم}} +| rdfs:subClassOf = شخص +| owl:equivalentClass = wikidata:Q2159907 + + +}}OntologyClass:مجسمہ20013701586352022-05-15T10:13:13Z{{Class +|labels= +{{label|ur|مجسمہ}} +{{label|en|Sculpture}} +| rdfs:subClassOf = کار ہنر +| owl:equivalentClass = schema:Sculpture +|comments= +{{comment|ur|مجسمہ تین جہتی فَن کا کام ہے جو سخت مواد کی تشکیل یا امتزاج سے بنایا گیا ہے، عام طور پر پتھر جیسے سنگ مرمر، دھات، شیشہ، یا لکڑی، یا پلاسٹک کے مواد جیسے مٹی، ٹیکسٹائل، پولیمر اور نرم دھات۔}} + +}}OntologyClass:مجسمہ ساز20013681586522022-05-15T10:27:48Z{{Class +| labels = +{{label|en|sculptor}} +{{label|ur|مجسمہ ساز}} +| rdfs:subClassOf = فنکار +}}OntologyClass:مجلس20013340576282022-04-24T18:17:30Z{{Class +| labels = +{{label|en|convention}} +{{label|ur|مجلس}} +| rdfs:subClassOf = معاشرتی واقعہ +}}OntologyClass:مجلس قانون ساز20013962584582022-05-14T17:43:45Z{{Class +| labels = +{{label|ur|مجلس قانون ساز}} +{{label|en|parliament}} +| rdfs:subClassOf = تنظیم +| owl:equivalentClass = wikidata:Q35749 +}}OntologyClass:مجلس کے شرکاء20013339576232022-04-24T18:06:38Z{{Class +| labels = +{{label|en|congressman}} +{{label|ur|مجلس کے شرکاء}} + +| rdfs:subClassOf = سیاستدان +}}OntologyClass:مجموعہ20013374554822021-09-13T09:09:10Z{{Class +| labels= +{{label|en|agglomeration}} +{{label|ur|مجموعہ}} + +| rdfs:subClassOf = آبادی والی جگہ +}}OntologyClass:مجموعی ملکی پیداوار20013485582432022-05-13T10:11:49Z{{Class +| labels= +{{label|ur|مجموعی ملکی پیداوار}} +{{label|en|gross domestic product}} +}}OntologyClass:مجموعی گھریلو پیداوار فی کس20013196582602022-05-13T10:46:53Z{{Class +| labels = +{{label|ur|مجموعی گھریلو پیداوار فی کس}} +{{label|en|gross domestic product per capita}} +|comments = +{{comment|ur|فی کس جی ڈی پی قومی حدود کے اندر پیدا ہونے والی مارکیٹنگ اشیاء اور خدمات کے مجموعے کی پیمائش کرتا ہے ، جو اس علاقے میں رہنے والے ہر شخص کے لیے اوسط ہے}} +}}OntologyClass:محصول20014030582902022-05-13T14:16:55Z{{Class +| labels = +{{label|ur|محصول}} + {{label|en|tax}} + +| rdfs:subClassOf = موضوع کا تصور +| owl:equivalentClass = wikidata:Q8161 +}}OntologyClass:محفوظ شدہ دستاویزات20013397579082022-05-05T11:15:20Z{{Class +| labels = +{{label|en|Archive}} +{{label|ur|محفوظ شدہ دستاویزات}} + +| rdfs:subClassOf = قیمتی اشیاء کا مجموعہ +| comments = +{{comment|en|Collection of documents pertaining to a person or organisation.}} +{{comment|ur|کسی شخص یا تنظیم سے متعلق دستاویزات کا مجموع}} +| owl:equivalentClass = wikidata:Q166118 +}}OntologyClass:محفوظ علاقہ20014009585872022-05-15T06:53:12Z{{Class +| labels = +{{label|en|protected area}} +{{label|ur|محفوظ علاقہ}} +| comments = +{{comment|en|This class should be used for protected nature. For enclosed neighbourhoods there is now class GatedCommunity}} + +{{comment|ur|یہ طبقہ 'محفوظ' حیثیت والے علاقوں کو ظاہر کرتا ہے}} +| rdfs:subClassOf = جگہ +| owl:equivalentClass = wikidata:Q473972 +}}OntologyClass:محلہ20013636585282022-05-14T19:53:33Z{{Class +| labels = +{{label|en|locality}} +{{label|ur|محلہ}} +| rdfs:subClassOf = آبادی والی جگہ +| owl:equivalentClass = wikidata:Q3257686 +}}OntologyClass:مخروطی مصری مینار20014012585892022-05-15T06:58:59Z{{Class +| labels = +{{label|en|Pyramid}} +{{label|ur|مخروطی مصری مینار}} +| comments= +{{comment|en|a structure whose shape is roughly that of a pyramid in the geometric sense.}} +{{comment|ur|ایک ڈھانچہ جس کی شکل ہندسی معنوں میں تقریبا ایک اہرام کی ہے۔}} +| rdfs:subClassOf = تعمیراتی ڈھانچے +| owl:equivalentClass = wikidata:Q12516 +}}OntologyClass:مخلوط جنگ جو آرٹس تقریب20013899577452022-04-26T12:13:53Z{{Class +| labels = +{{label|en|mixed martial arts event}} + +{{label|ur| مخلوط جنگ جو آرٹس تقریب}} +| rdfs:subClassOf = کھیلوں کی تقریب +}}OntologyClass:مخلوط مارشل آرٹس کی انجمن20013931579332022-05-05T12:36:21Z{{Class +| labels = + +{{label|ur|مخلوط مارشل آرٹس کی انجمن}} +{{label|en|mixed martial arts league}} + + +| comments = + +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروپ جو مخلوط مارشل آرٹس میں ایک دوسرے سے مقابلہ کرتا ہے۔}} +{{comment|en|a group of sports teams that compete against each other in Mixed Martial Arts}} + +| rdfs:subClassOf = کھیلوں کی انجمن + +}}OntologyClass:مدرسه20013731586732022-05-15T11:41:12Z{{Class +| labels = +{{label|en|school}} +{{label|ur|مدرسه}} +| rdfs:subClassOf = تعلیمی ادارے +| owl:equivalentClass = schema:School, wikidata:Q3914 +| specificProperties = + {{SpecificProperty | ontologyProperty = campusSize | unit = squareKilometre }} +}}OntologyClass:مدرسہ20013144576822022-04-25T11:19:45Z{{Class +| labels = +{{label|en|college}} +{{label|ur|مدرسہ}} +| rdfs:subClassOf = تعلیمی ادارے, schema:CollegeOrUniversity +| owl:equivalentClass = +}}OntologyClass:مذہبی20013614585102022-05-14T19:30:21Z{{Class +| labels = +{{label|en|religious}} +{{label|ur|مذہبی}} +| rdfs:subClassOf = شخص +| owl:equivalentClass = wikidata:Q2566598 +}}OntologyClass:مذہبی تصور20013850575242022-04-24T11:49:07Z{{Class +| labels = {{label|en|Theological concept}} + + {{label|ur|مذہبی تصور}} +| comments = {{comment|en|Theological concepts, e.g. The apocalypse, Trinty, Stoicism}} +{{comment|ur| مذہبی تصورات، جیسے آسمانی کِتاب تثلیث رواقیت}} +| rdfs:subClassOf = موضوع کا تصور +}}OntologyClass:مذہبی تنظیم20013853584162022-05-14T15:05:40Z{{Class +| labels = + {{label|en|religious organisation}} + +{{label|ur|مذہبی تنظیم}} +| comments = + {{comment|en|Formal organisation or organised group of believers}} + {{comment|ur|باضابطہ تنظیم یا مومنین کا منظم گروپ}} + | rdfs:subClassOf = تنظیم +| owl:disjointWith = Person +| owl:disjointWith = wgs84_pos:SpatialThing +}}OntologyClass:مذہبی عمارت20013729576772022-04-25T11:04:12Z{{Class +|labels = + {{label|en|religious building}} + {{label|ur|مذہبی عمارت}} +| comments = +{{comment|en|An establishment or her location where a group of people (a congregation) comes to perform acts of religious study, honor, or devotion.<ref>http://en.wikipedia.org/wiki/Religious_building</ref>}} + +{{comment|ur|ایک اسٹیبلشمنٹ یا اس کا مقام جہاں لوگوں کا ایک گروپ (ایک جماعت) مذہبی مطالعہ، عزت، یا عقیدت کے اعمال انجام دینے آتا ہے۔}} + +| rdfs:subClassOf = عمارت +| owl:equivalentClass = wikidata:Q1370598 +}} +==References== +<references/> +}}OntologyClass:مزاحمتی تحریک کے رکن20013893577252022-04-26T11:41:50Z{{Class +|labels= + {{label|en|Member of a Resistance Movement}} + {{label|ur|مزاحمتی تحریک کے رکن}} +|comments= +| rdfs:subClassOf = شخص +}}OntologyClass:مزاحیہ20013152575522022-04-24T14:35:53Z{{Class +| labels = +{{label|en|comic}} +{{label|ur|مزاحیہ}} +| rdfs:subClassOf = تحریری کام +| owl:equivalentClass = wikidata:Q245068 +}}OntologyClass:مزاحیہ تخلیق کار20013885576882022-04-25T11:32:33Z{{Class +| labels = +{{label|en|comics creator}} +{{label|ur|مزاحیہ تخلیق کار}} + +| rdfs:subClassOf = فنکار +}}OntologyClass:مزاحیہ خاکے20013859575542022-04-24T14:38:43Z{{Class +| labels = + {{label|en|comic strip}} + +{{label|ur|مزاحیہ خاکے}} +| rdfs:subClassOf = مزاحیہ + +}}OntologyClass:مزاحیہ گروہ20013337576182022-04-24T17:54:40Z{{Class +| labels = +{{label|en|Comedy Group}} +{{label|ur| مزاحیہ گروہ }} +| rdfs:subClassOf =گروہ +}}OntologyClass:مزار20013728586752022-05-15T11:45:21Z{{Class +| labels = +{{label|en|shrine}} + {{label|ur|مزار}} +| rdfs:subClassOf = مذہبی عمارت +| owl:equivalentClass = wikidata:Q697295 +}}OntologyClass:مزدوروں کا اتحاد20014046583302022-05-13T17:52:24Z{{Class +| labels = +{{label|ur|مزدوروں کا اتحاد}} +{{label|en|trade union}} +| comments = +{{comment|ur|مزدوروں کا اتحاد مزدوروں کی ایک تنظیم ہے جو کام کے بہتر حالات جیسے مشترکہ اہداف کو حاصل کرنے کے لیے اکٹھے ہوئے ہیں}} +{{comment|en|A trade union or labor union is an organization of workers who have banded together to achieve common goals such as better working conditions.}} +| rdfs:subClassOf = تنظیم +| owl:equivalentClass = wikidata:Q178790 +}}OntologyClass:مسجد20013904577582022-04-26T12:29:05Z{{Class +| labels = +{{label|en|mosque}} + +{{label|ur|مسجد}} + +| comments = +{{comment|en|A mosque, sometimes spelt mosk, is a place of worship for followers of Islam.<ref>http://en.wikipedia.org/wiki/Mosque</ref>}} +{{comment|ur| ایک مسجد اسلام کے پیروکاروں کے لیے عبادت گاہ ہے۔<ref>http://en.wikipedia.org/wiki/Mosque</ref>}} + + +| rdfs:subClassOf = مذہبی عمارت +| owl:equivalentClass = wikidata:Q32815 +}} + +== references == +<references/>OntologyClass:مسخرا20013857575472022-04-24T14:29:41Z{{Class +| labels = +{{label|en|comedian}} + +{{label|ur|مسخرا}} +| rdfs:subClassOf = فنکار +}}OntologyClass:مسدود برادری20014017582302022-05-13T09:18:04Z{{Class +| labels = +{{label|ur|مسدود برادری}} +{{label|en|Gated community}} +| rdfs:subClassOf = آبادی والی جگہ +}}OntologyClass:مشترکہ نورڈک20014116586202022-05-15T08:12:23Z{{Class +| labels = +{{label|en|Nordic Combined}} +{{label|ur|مشترکہ نورڈک }} +|comments= +{{comment|ur|نورڈک کمبائنڈ ایک موسم سرما کا کھیل ہے جس میں ما بین ملک کے کھلاڑی سکینگ اور سکی جمپنگ میں مقابلہ کرتے ہیں۔}} +| rdfs:subClassOf = سرمائی کھیل کھیلنے والا + +}}OntologyClass:مشروب20013189587422022-05-16T18:57:05Z{{Class +| labels = +{{label|ur|مشروب}} +{{label|en|beverage}} + +| rdfs:subClassOf = خوراک +| comments = + + +{{comment|ur|یک مشروب مائع ہے جو خاص طور پر انسانی استعمال کے لیے تیار کیا جاتا ہے۔}} +{{comment|en|A drink, or beverage, is a liquid which is specifically prepared for human consumption.}} +}}OntologyClass:مشیر20013847575142022-04-24T11:25:17Z{{Class +| labels = +{{label|en|chancellor}} + +{{label|ur|مشیر}} + +| rdfs:subClassOf = سیاستدان +| owl:equivalentClass = wikidata:Q373085 +}}OntologyClass:مصنف20013202554732021-09-13T08:46:34Z{{Class +| labels = +{{label|en|writer}} +{{label|ur|مصنف}} + +| rdfs:subClassOf = شخص +| owl:equivalentClass = wikidata:Q36180 +}}OntologyClass:مصنوعی سیارہ20013317579202022-05-05T11:38:54Z{{Class +| labels = +{{label|en|ArtificialSatellite}} + {{label|ur|مصنوعی سیارہ}} +| comments = +{{comment|ur|خلائی پرواز کے تناظر میں ، مصنوعی سیارہ ایک مصنوعی شے ہے جسے جان بوجھ کر مدار میں رکھا گیا ہے}} +{{comment|en|In the context of spaceflight, an artificial satellite is an artificial object which has been intentionally placed into orbit.}} + +| rdfs:subClassOf = ثانوی سیاره +<!-- | owl:equivalentClass = http://www.ontotext.com/proton/protonext#ArtificialSatellite --> +}}OntologyClass:معاشرتی واقعہ20013095579042022-05-05T11:04:21Z{{Class +| labels = +{{label|en|societal event}} +{{label|ur|معاشرتی واقعہ}} + + + +| comments = +{{comment|en|an event that is clearly different from strictly personal events}} + +{{comment|ur|ایک ایسا واقعہ جو سختی سے ذاتی واقعات سے واضح طور پر مختلف ہو}} +| rdfs:subClassOf = تقریب +}}OntologyClass:معاملہ20013306576012022-04-24T17:02:38Z{{Class +| labels = +{{label|en|case}} +{{label|ur|معاملہ}} +| comments = +{{comment|en|A 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.}} + +{{comment|ur|ایک کیس انتظامی یا کاروباری فیصلے کی تیاری کے لیے کیے گئے کام کی کل ہے۔ ایک اصول کے طور پر ، ایک کیس دستاویزات کے ایک سیٹ میں ظاہر ہوتا ہے۔}} +| rdfs:subClassOf = کام کی اکائی +}}OntologyClass:معاہدہ20014048583342022-05-13T17:59:52Z{{Class +| labels = +{{label|ur|معاہدہ}} +{{label|en|treaty}} +| rdfs:subClassOf = تحریری کام +}}OntologyClass:معدنیات20013784579262022-05-05T12:28:53Z{{Class +| labels = + +{{label|ur|معدنیات}} +{{label|en|mineral}} +| comments = +{{comment|en|A naturally occurring solid chemical substance.<ref>http://en.wikipedia.org/wiki/Mineral</ref>}} +{{comment|ur|قدرتی طور پر پائے جانے والا ٹھوس کیمیائی مادہ}} +| rdfs:subClassOf = کیمیائی مادہ + +| owl:equivalentClass = wikidata:Q7946 +}} +==References== +<references/>OntologyClass:معروف کھیلوں کے لیے مَخصُوص جگہ20013793587082022-05-15T13:11:04Z{{Class +| labels = +{{label|en|stadium}} +{{label|ur|معروف کھیلوں کے لیے مَخصُوص جگہ}} +| rdfs:subClassOf = پنڈال, schema:StadiumOrArena +| owl:equivalentClass = +}}OntologyClass:معلم20014008583462022-05-14T05:49:35Z{{Class +|labels = +{{label|en|professor}} +{{label|ur|معلم}} +| rdfs:subClassOf = سائنسدان +| owl:equivalentProperty = wikidata:Q1622272 +}}OntologyClass:معلوماتی آلات20013664587622022-05-16T19:36:57Z{{Class +| labels = +{{label|ur| معلوماتی آلات}} +{{label|en|information appliance}} + +| comments = + +{{comment|ur|معلوماتی آلہ جیسے پی ڈی اے یا ویڈیو گیم کنسولز وغیرہ}} +{{comment|en|An information device such as PDAs or Video game consoles, etc.}} +| rdfs:subClassOf = آلہ +| owl:equivalentClass = wikidata:Q1067263 +}}OntologyClass:معمار20013304579092022-05-05T11:18:27Z{{Class +| labels = +{{label|en|architect}} +{{label|ur|معمار}} +| rdfs:subClassOf = شخص +| owl:equivalentClass = wikidata:Q42973 +}}OntologyClass:معیاری20013750587002022-05-15T12:55:44Z{{Class +| labels= + +{{label|en|standard}} +{{label|ur|معیاری}} +| comments= +{{comment|en|a common specification}} +{{comment|ur|ایک عام تفصیل}} +| rdfs:subClassOf = موضوع کا تصور +}}OntologyClass:مقابلہ20013158576272022-04-24T18:13:42Z{{Class +| labels = +{{label|en|competition}} +{{label|ur|مقابلہ}} +| rdfs:subClassOf = تقریب +| owl:disjointWith = شخص +| owl:equivalentClass = schema:Event, dul:Event, wikidata:Q1656682 +}} + + +}}OntologyClass:مقابلہ میں کاریں چلانے والے20013256581542022-05-12T18:25:35Z{{Class +| labels = +{{label|ur|مقابلہ میں کاریں چلانے والے}} +{{label|en|racing driver}} +| rdfs:subClassOf = گاڑیوں کے مقابلے کا کھیل +| owl:equivalentClass = wikidata:Q378622 +}}OntologyClass:مقامی تھنگ20013364554372021-09-13T08:02:09Z{{Class +|rdfs:label@en = spatial thing +|rdfs:label@ur = مقامی تھنگ +|rdfs:label@de = Objektraum +|rdfs:label@fr = objet spatial +|rdfs:label@nl = ruimtelijk object +}}OntologyClass:مقننہ20013622585442022-05-14T20:28:14Z{{Class +| labels = +{{label|en|legislature}} +{{label|ur|مقننہ}} +| rdfs:subClassOf = تنظیم +| owl:equivalentClass = wikidata:Q11204 +}}OntologyClass:ملاح20013678586342022-05-15T10:07:32Z{{Class +| labels = +{{label|en|Sailor}} +{{label|ur|ملاح}} +| rdfs:subClassOf = کھلاڑی +}}OntologyClass:ملازمین کی تنظیم20013288557742021-09-17T18:50:09Z{{Class +| labels = + +{{label|ur|ملازمین کی تنظیم}} +| comments = +{{comment|ur|ملازمین کی تنظیم تاجروں کی ایک تنظیم ہے جو مزدور تعلقات کے میدان میں اپنے اعمال کو مربوط کرنے کے لیے مل کر کام کرتی ہے۔}} + +| rdfs:subClassOf = تنظیم +}}OntologyClass:ملاقات20013780579032022-05-05T11:02:34Z{{Class +| labels = +{{label|ur|ملاقات}} +{{label|en|meeting}} +| rdfs:subClassOf = معاشرتی واقعہ + +|comments= +{{comment|ur|ریکارڈ رکھنے کے لیے ایک تقریب کے طور پر لوگوں کی باقاعدہ یا بے قاعدہ ملاقات}} +{{comment|en|A regular or irregular meeting of people as an event to keep record of}} +| owl:equivalentClass = wikidata:Q2761147 +}}OntologyClass:ملک20013284575682022-04-24T15:15:43Z{{Class +| labels = +{{label|en|country}} +{{label|ur|ملک}} +| rdfs:subClassOf = آبادی والی جگہ +| owl:equivalentClass = schema:Country, wikidata:Q6256 +}}OntologyClass:ملک کی نشست20013872576302022-04-24T18:22:06Z{{Class +| labels = +{{label|en|country estate}} + +{{label|ur|ملک کی نشست}} +| comments = +{{comment|en|A country seat is a rural patch of land owned by a land owner.}} + +{{comment|ur|یک کنٹری سیٹ زمین کا ایک دیہی پیچ ہے جو زمین کے مالک کی ملکیت ہے}} + +| rdfs:subClassOf = جگہ +}}OntologyClass:ملکہ حسن20013327578312022-05-01T18:04:58Z{{Class +| labels = +{{label|ur|ملکہ حسن}} +{{label|en|beauty queen}} +| rdfs:subClassOf = شخص +| comments = +{{comment|ur|خوبصورتی مقابلے کی خطاب یافتہ}} +{{comment|en|A beauty pageant titleholder}} +}}OntologyClass:منحوا20013888577082022-04-26T11:27:23Z{{Class +| labels = +{{label|en|manhwa}} + +{{label|ur|منحوا}} +| rdfs:subClassOf = مزاحیہ +| comments = +{{comment|en|Korean term for comics and print cartoons<ref name="manhwa">http://en.wikipedia.org/wiki/Manhwa</ref>}} +{{comment|ur|مزاحیہ اور پرنٹ کارٹونز کے لیے کورین اصطلاح<ref name="manhwa">http://en.wikipedia.org/wiki/Manhwa</ref>}} + +| owl:equivalentClass = wikidata:Q562214 +}} +==References== +<references/>OntologyClass:مندر20014055583642022-05-14T10:43:01Z{{Class +| labels= +{{label|ur|مندر}} +{{label|en|temple}} + +| rdfs:subClassOf = مذہبی عمارت +| owl:equivalentClass = +}}OntologyClass:منشیات کا مجموعہ20013884576862022-04-25T11:27:29Z{{Class +| labels = +{{label|en|combination drug}} +{{label|ur|منشیات کا مجموعہ}} +| comments = +{{comment|en|Drugs that are a combination of chemicals‎}} +{{comment|ur|ادویات جو کیمیکل کا مجموعہ ہیں۔‎}} + +| rdfs:subClassOf = دوا +}}OntologyClass:منصوبہ20014002581972022-05-13T03:27:38Z{{Class +| labels = + {{label|en|project}} +{{label|ur|منصوبہ}} + +| comments = + {{comment|en|A project is a temporary endeavor undertaken to achieve defined objectives.}} + {{comment|ur|ایک پروجیکٹ ایک عارضی کوشش ہے جو متعین مقاصد کے حصول کے لیے کی جاتی ہے۔}} +| rdfs:subClassOf = کام کی اکائی +| owl:equivalentClass = +}}OntologyClass:منظم شدہ مجموعہ20013687564082022-02-16T17:44:42Z{{Class +| labels = + + +{{label|ur| بیول :منظم شدہ مجموعہ}} + +<!-- | owl:equivalentClass = wikidata:Q15117302 --> +}}OntologyClass:مواصلات20013890577162022-04-26T11:36:40Z{{Class +| labels = +{{label|en|media}} + + +{{label|ur|مواصلات }} +| comments = +{{comment|en|storage and transmission channels or tools used to store and deliver information or data}} +{{comment|ur|ذخیرہ اور منتقلی چینلز یااوزار جو معلومات یا ڈیٹا کو ذخیرہ کرنے اور پہنچانے کے لیے استعمال ہوتے ہیں۔}} +| owl:equivalentClass = wikidata:Q340169 +}}OntologyClass:موبائل فون20013744580032022-05-06T10:54:59Z{{Class +| labels = + +{{label|ur|موبائل فون}} +{{label|en|mobile phone}} +| rdfs:subClassOf = آلہ +| owl:equivalentClass = wikidata:Q17517 +}}OntologyClass:موج تختہ پر سوار ہونے والا20013798587132022-05-15T13:22:06Z{{Class +| labels = +{{label|en|surfer}} +{{label|ur|موج تختہ پر سوار ہونے والا}} +| rdfs:subClassOf =کھلاڑی +| owl:equivalentClass = wikidata:Q13561328 +}}OntologyClass:مورخ20013201584652022-05-14T18:21:34Z{{Class +| labels = +{{label|en|historian}} +{{label|ur|مورخ}} +| rdfs:subClassOf = مصنف +}}OntologyClass:موسیقی بنانے والا20013953580282022-05-06T16:07:05Z{{Class +| labels = +{{label|ur|موسیقی بنانے والا}} +{{label|en|music composer}} + +| comments = +{{comment|ur|ایک شخص جو موسیقی تخلیق کرتا ہے}} +{{comment|en|a person who creates music.}} +| rdfs:subClassOf = مصنف +}}OntologyClass:موسیقی میلہ20013944579852022-05-06T07:53:57Z{{Class +| labels = + +{{label|ur|موسیقی میلہ}} +{{label|en|music festival}} +| rdfs:subClassOf = معاشرتی واقعہ +| owl:equivalentClass = wikidata:Q868557, schema:Festival +}}OntologyClass:موسیقی چارٹس میں جگہ20013868576052022-04-24T17:16:57Z{{Class +| labels = +{{label|en|Place in the Music Charts}} + +{{label|ur|موسیقی چارٹس میں جگہ}} +}}OntologyClass:موسیقی چارٹس میں جگہ۔20013310553202021-09-11T17:40:17Z{{Class +| labels = +{{label|ur|موسیقی چارٹس میں جگہ}} +}}OntologyClass:موسیقی کا20013908577762022-04-26T13:06:29Z{{Class +| labels = +{{label|en|musical}} + +{{label|ur|موسیقی کا}} + + +| rdfs:subClassOf = موسیقی کا کام + +| owl:equivalentClass = wikidata:Q2743 +}}OntologyClass:موسیقی کا رہنما20013907577742022-04-26T13:02:18Z{{Class +| labels = +{{label|en|music director}} + +{{label|ur|موسیقی کا رہنما }} + + +| comments = +{{comment|en|A person who is the director of an orchestra or concert band.}} +{{comment|ur|ایک شخص جو سازینہ یا موسیقی بجانے والوں کا گروہ کا رہنما ہے}} +| rdfs:subClassOf = موسیقی کا فنکار +| owl:equivalentClass = wikidata:Q1198887 +}}OntologyClass:موسیقی کا فنکار20013135577912022-05-01T11:47:12Z +{{Class +| labels = + +{{label|ur|موسیقی کا فنکار}} +{{label|en|musical artist}} + +| rdfs:subClassOf = فنکار, schema:MusicGroup, dul:NaturalPerson +}}OntologyClass:موسیقی کا کام20013388575272022-04-24T12:00:56Z{{Class +| labels = +{{label|ur|موسیقی کا کام}} +{{label|en|musical work}} + +| rdfs:subClassOf = کام +| owl:equivalentClass = wikidata:Q2188189 +}}OntologyClass:موسیقی کی صنف20013954580302022-05-06T16:09:26Z{{Class +| labels = + +{{label|ur|موسیقی کی صنف}} +{{label|en|music genre}} +| rdfs:subClassOf = صنف +| owl:equivalentClass = wikidata:Q188451 +}}OntologyClass:موسیقی کے ریکارڈوں کی فہرست20014027582832022-05-13T12:06:14Z{{Class +| labels = +{{label|ur|موسیقی کے ریکارڈوں کی فہرست}} +{{label|en|track list}} +| comments = +{{comment|ur|میوزک ٹریکس کی فہرست، جیسے سی ڈی پر}} +{{comment|en|A list of music tracks, like on a CD}} + +| rdfs:subClassOf = فہرست + +}}OntologyClass:موسیقی کے ساتھ نقل یا اداکاری20013667584452022-05-14T17:16:32Z{{Class +|labels= + +{{label|ur|موسیقی کے ساتھ نقل یا اداکاری}} +{{label|en|opera}} + +| rdfs:subClassOf = موسیقی کا کام +| owl:equivalentClass = wikidata:Q1344 +}}OntologyClass:موضوع کا تصور20013167587712022-05-16T19:48:09Z{{Class +| labels = +{{label|ur|موضوع کا تصور}} +{{label|en|topical concept}} + +| rdfs:subClassOf = owl:Thing +| owl:equivalentClass = dul:Concept +}}OntologyClass:مونوکلونل دافِع جِسم20013934579422022-05-05T14:28:10Z{{Class +| labels = + +{{label|ur|مونوکلونل دافِع جِسم}} +{{label|en|monoclonal antibody}} + +| comments = +{{comment|ur|وہ دوائیں جو ایک مونوکلونل دافِع جِسم ہیں۔‎}} + +{{comment|en|Drugs that are a monoclonal antibody‎}} + +| rdfs:subClassOf = دوا + +}}OntologyClass:موٹر سائیکل20013936579482022-05-05T14:36:35Z{{Class +| labels = + +{{label|ur|موٹر سائیکل}} +{{label|en|motorcycle}} +| rdfs:subClassOf = نقل و حمل کے ذرائع +| owl:equivalentClass = wikidata:Q34493 +}}OntologyClass:موٹر سائیکل دوڑانے والا20013949580072022-05-06T11:03:25Z{{Class +| labels = + +{{label|ur|موٹر سائیکل دوڑانے والا}} +{{label|en|motocycle racer}} +| rdfs:subClassOf = موٹر سائیکل سوار +}}OntologyClass:موٹر سائیکل ریسنگ لیگ20013747580132022-05-06T11:10:49Z{{Class +| labels = +{{label|en|motorcycle racing league}} +{{label|ur|موٹر سائیکل ریسنگ لیگ}} + +{{label|de|Motorradrennen Liga}} +{{label|fr|ligue de courses motocycliste}} +{{label|nl|motorrace competitie}} +| comments = +{{comment|en|a group of sports teams or bikerider that compete against each other in Motorcycle Racing}} +{{comment|ur|کھیلوں کی ٹیموں یا بائیک سواروں کا ایک گروپ جو موٹر سائیکل ریسنگ میں ایک دوسرے سے مقابلہ کرتے ہیں}} + + +| rdfs:subClassOf = کھیلوں کی انجمن + +}}OntologyClass:موٹر سائیکل سوار20013695580092022-05-06T11:06:50Z{{Class + | labels = +{{label|ur| موٹر سائیکل سوار}} +{{label|en|motorcycle rider}} +| rdfs:subClassOf = موٹر کھیل میں گاڑی دوڑانے والا +}}OntologyClass:موٹر کار کی دوڑ20013171582582022-05-13T10:42:50Z{{Class +| labels = +{{label|ur|موٹر کار کی دوڑ}} +{{label|en|Grand Prix}} +| rdfs:subClassOf = کھیلوں کی تقریب +| specificProperties = {{SpecificProperty | ontologyProperty = course | unit = kilometre }} + {{SpecificProperty | ontologyProperty = distance | unit = kilometre }} +}}OntologyClass:موٹر کھیل میں گاڑی دوڑانے والا20013921578802022-05-04T10:49:52Z{{Class +| labels = + +{{label|ur|موٹر کھیل میں گاڑی دوڑانے والا}} +{{label|en|motorsport racer}} + +| rdfs:subClassOf = کھلاڑی + +}}OntologyClass:موٹر کھیل کا موسم20013950580152022-05-06T15:45:42Z{{Class +| labels = + +{{label|ur|موٹر کھیل کا موسم}} +{{label|en|motorsport season}} +| rdfs:subClassOf = کھیلوں کا موسم + +}}OntologyClass:موٹر گاڑی کا انجن20013939579572022-05-06T01:57:05Z{{Class +| labels = +{{label|en|automobile engine}} +{{label|ur|موٹر گاڑی کا انجن}} + +| rdfs:subClassOf = انجن +}}OntologyClass:مُضحِکہ خیزکردار20013301576202022-04-24T17:59:23Z{{Class +| labels = +{{label|en|comics character}} +{{label|ur|مُضحِکہ خیزکردار}} +| rdfs:subClassOf = خیالی کردار +}}OntologyClass:مچھلی20013309581602022-05-12T18:53:58Z{{Class +| labels = +{{label|ur|مچھلی}} +{{label|en| fish}} +| rdfs:subClassOf = جانور +| owl:equivalentClass = wikidata:Q152 +}}OntologyClass:مکے باز20013500587492022-05-16T19:02:52Z{{Class +| labels = + +{{label|ur|مکے باز}} +{{label|en|boxer}} +| rdfs:subClassOf = کھلاڑی +}}OntologyClass:مکے بازی کھیل کی انجمن20013507578522022-05-02T12:15:37Z{{Class +| labels = + +{{label|ur|مکے بازی کھیل کی انجمن}} +{{label|en|boxing league}} +| rdfs:subClassOf = کھیلوں کی انجمن +| comments = +{{comment|ur|کھیلوں کی ٹیموں یا جنگجوؤں کا ایک گروپ جو مکے بازی میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں۔}} +{{comment|en|A group of sports teams or fighters that compete against each other in Boxing}} +}}OntologyClass:میدان20013436566082022-02-18T06:22:44Z{{Class +| labels = +{{label|en|arena}} +{{label|ur|میدان}} + +| rdfs:subClassOf = تعمیراتی ڈھانچے, schema:StadiumOrArena +|owl:equivalentClass = +| comments = +{{comment|ur|ایک میدان ایک منسلک علاقہ ہے، اکثر سرکلر یا بیضوی شکل کا، تھیٹر، میوزیکل پرفارمنس، یا کھیلوں کے پروگراموں کی نمائش کے لیے ڈیزائن کیا گیا ہے۔}} + +}}OntologyClass:میزائل چلانے کی جگہ20013616585222022-05-14T19:44:22Z{{Class +| labels = +{{label|en|launch pad}} +{{label|ur|میزائل چلانے کی جگہ}} +| rdfs:subClassOf = بنیادی ڈھانچہ +| owl:equivalentClass = wikidata:Q1353183 +}}OntologyClass:مینار20013629583282022-05-13T17:47:49Z{{Class +| labels = + {{label|ur|مینار}} +{{label|en|tower}} +| comments = + {{comment|ur|مینار ایک قسم کا ڈھانچہ ہے (ضروری نہیں کہ کوئی عمارت) جو باقی سے اونچی ہو۔}} +{{comment|en|A Tower is a kind of structure (not necessarily a building) that is higher than the rest}} +| rdfs:subClassOf = تعمیراتی ڈھانچہ +| owl:disjointWith = شخص +| owl:equivalentClass = wikidata:Q12518 +}}OntologyClass:نائب20014038583082022-05-13T16:40:56Z{{Class +| labels = +{{label|en|deputy}} +{{label|ur|نائب}} +| rdfs:subClassOf = سیاستدان +}}OntologyClass:نائب صدر20014084584402022-05-14T17:01:44Z{{Class +| labels = +{{label|ur|نائب صدر}} +{{label|en|vice president}} + +| rdfs:subClassOf = سیاستدان +| owl:equivalentClass = wikidata:Q42178 +}}OntologyClass:نائب وزیر اعظم20014067583892022-05-14T13:28:52Z{{Class +| labels = +{{label|ur|نائب وزیر اعظم}} +{{label|en|vice prime minister}} +| rdfs:subClassOf = سیاستدان +}}OntologyClass:نارمن فرقے کا عيسائی20013615585422022-05-14T20:24:02Z{{Class +| labels = +{{label|en|Latter Day Saint}} + {{label|ur|نارمن فرقے کا عيسائی}} +| rdfs:subClassOf = مذہبی +}}OntologyClass:ناشر20014005585722022-05-15T06:16:40Z{{Class +| labels = +{{label|en|publisher}} +{{label|ur|ناشر}} +| comments = +{{comment|en|Publishing company}} + + {{comment|ur|شائع کرنے والے اشاعتی ادارہ}} +| rdfs:subClassOf = تِجارتی اِدارہ +}}OntologyClass:ناشَر20013325578622022-05-02T16:07:32Z{{Class +| labels = +{{label|ur|ناشَر}} +{{label|en|broadcaster}} +| rdfs:subClassOf =تنظیم +| comments = +{{comment|ur|براڈکاسٹر ایک ایسی تنظیم ہے جو ریڈیو یا ٹیلی ویژن پروگراموں کی پیداوار اور/یا ان کی ترسیل کے لیے ذمہ دار ہے}} +{{comment|en|A 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)}} +| owl:equivalentClass = wikidata:Q15265344 +}}OntologyClass:نام20013471581722022-05-12T19:28:13Z{{Class +| labels = + {{label|ur|نام}} +{{label|en|name}} +| rdfs:subClassOf = owl:Thing +| owl:equivalentClass = wikidata:Q82799 +}}OntologyClass:نامعلوم20014063583812022-05-14T12:23:25Z{{Class +| labels = +{{label|ur|نامعلوم}} +{{label|en|Unknown}} + +| rdfs:subClassOf = owl:Thing +| owl:equivalentClass = +}}OntologyClass:ناٹک20013281583242022-05-13T17:43:02Z{{Class +| labels = + +{{label|ur|ناٹک}} +| rdfs:subClassOf = تحریری کام +| owl:equivalentClass = wikidata:Q25372 +}}OntologyClass:ندی20013421576442022-04-25T08:11:24Z{{Class +| labels = +{{label|en|stream}} + +{{label|ur|ندی}} + +| comments = +{{comment|en|a flowing body of water with a current, confined within a bed and stream banks}} +{{comment|ur|پانی کا بہتا ہوا کرنٹ ، ایک بستر اور ندی کے کناروں میں محدود ہے۔ +}} + +| rdfs:subClassOf = اجسامِ آب +| specificProperties = {{SpecificProperty | ontologyProperty = discharge | unit = cubicMetrePerSecond }} + {{SpecificProperty | ontologyProperty = minimumDischarge | unit = cubicMetrePerSecond }} + {{SpecificProperty | ontologyProperty = dischargeAverage | unit = cubicMetrePerSecond }} + {{SpecificProperty | ontologyProperty = maximumDischarge | unit = cubicMetrePerSecond }} + {{SpecificProperty | ontologyProperty = watershed | unit = squareKilometre }} +| owl:equivalentClass = wikidata:Q47521 +}}OntologyClass:نسل یا خاندان20014051583562022-05-14T10:03:15Z{{Class +| labels= +{{label|ur|نسل یا خاندان}} +{{label|en|taxonomic group}} + +| comments= +{{comment|ur|پرجاتیوں کے لیے درجہ بندی کے نظام کے اندر ایک زمرہ}} +{{comment|en|a category within a classification system for Species}} + +| rdfs:subClassOf = موضوع کا تصور +| specificProperties = +| owl:equivalentClass = wikidata:Q16521 +}}OntologyClass:نسلی گروہ20013291583512022-05-14T06:18:51Z{{Class +| labels = + + {{label|ur|نسلی گروہ}} + {{label|en|ethnic group}} +| rdfs:subClassOf = owl:Thing +| owl:equivalentClass = wikidata:Q41710 +}}OntologyClass:نشریاتی جال20013503578602022-05-02T12:29:09Z{{Class +| labels = + +{{label|ur|نشریاتی جال}} +{{label|en|broadcast network}} +| rdfs:subClassOf = ناشَر +| comments = + +{{comment|ur|نشریاتی جال ایک تنظیم ہے ، جیسے کارپوریشن یا دیگر ایسوسی ایشن ، جو ریڈیو یا ٹیلی ویژن اسٹیشنوں کے گروپ پر نشر کرنے کے لیے لائیو یا ریکارڈ شدہ مواد ، جیسے فلمیں ، نیوز کاسٹ ، کھیل اور عوامی امور کے پروگرام مہیا کرتی ہے۔ +}} +{{comment|en|A 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)}} +| owl:equivalentClass = wikidata:Q141683 +}}OntologyClass:نشے کی دوا20014066583872022-05-14T13:24:06Z{{Class +| labels = +{{label|ur|نشے کی دوا}} +{{label|en|drug}} + + +| specificProperties = {{SpecificProperty | ontologyProperty = meltingPoint | unit = kelvin }} + {{SpecificProperty | ontologyProperty = boilingPoint | unit = kelvin }} +| rdfs:subClassOf = کیمیائی مادہ +| owl:equivalentClass = wikidata:Q8386 +}}OntologyClass:نظریہ20013662587702022-05-16T19:47:29Z{{Class +| labels = +{{label|ur|نظریہ}} +{{label|en|ideology}} + +| rdfs:subClassOf = موضوع کا تصور +| comments = + {{comment|ur|مثال کے طور پر: ریاستہائے متحدہ میں ترقی پسندی، کلاسیکی لبرل ازم}} +{{comment|en|for example: Progressivism_in_the_United_States, Classical_liberalism}} +| owl:equivalentClass = wikidata:Q7257, d0:CognitiveEntity +}}OntologyClass:نظم20013976585982022-05-15T07:38:46Z{{Class +| labels = +{{label|en|poem}} +{{label|ur|نظم}} + +| rdfs:subClassOf = تحریری کام +| owl:equivalentClass = wikidata:Q5185279 +}}OntologyClass:نغمہ نگار20013692586872022-05-15T12:16:21Z{{Class +| labels = +{{label|en|songwriter}} +{{label|ur|نغمہ نگار}} +| comments = +{{comment|en|a person who writes songs.}} + +{{comment|ur|ایک شخص جو گانے لکھتا ہے۔}} +| rdfs:subClassOf = مصنف +| owl:equivalentClass = wikidata:Q753110 +}}OntologyClass:نقاشی20013958584532022-05-14T17:35:38Z{{Class +| labels = +{{label|ur|نقاشی}} +{{label|en|Painting}} +| rdfs:subClassOf = کار ہنر +| owl:equivalentClass = schema:Painting +}}OntologyClass:نقل و حمل کا راستہ20013334578592022-05-02T12:27:15Z{{Class +| labels = +{{label|ur|نقل و حمل کا راستہ}} +{{label|en|route of transportation}} + + +| rdfs:subClassOf = بنیادی ڈھانچہ +}}OntologyClass:نقل و حمل کے ذرائع20013444560872021-11-05T07:51:16Z{{Class +| labels = + {{label|en|mean of transportation}} + +{{label|ur|نقل و حمل کے ذرائع}} +| specificProperties = + {{SpecificProperty | ontologyProperty = diameter | unit = metre }} + {{SpecificProperty | ontologyProperty = mass | unit = kilogram }} + {{SpecificProperty | ontologyProperty = length | unit = millimetre }} + {{SpecificProperty | ontologyProperty = height | unit = millimetre }} + {{SpecificProperty | ontologyProperty = weight | unit = kilogram }} + {{SpecificProperty | ontologyProperty = width | unit = millimetre }} +| rdfs:subClassOf = owl:Thing +| owl:equivalentClass = +| owl:disjointWith = شخص +}}OntologyClass:نقل و حمل کے نظام20013172576922022-04-25T11:39:45Z{{Class +| labels = +{{label|en|conveyor system}} +{{label|ur|نقل و حمل کے نظام}} +| specificProperties = +{{SpecificProperty | ontologyProperty = diameter | unit = metre }} +{{SpecificProperty | ontologyProperty = mass | unit = kilogram }} +{{SpecificProperty | ontologyProperty = length | unit = millimetre }} +{{SpecificProperty | ontologyProperty = height | unit = millimetre }} +{{SpecificProperty | ontologyProperty = weight | unit = kilogram }} +{{SpecificProperty | ontologyProperty = width | unit = millimetre }} +| owl:disjointWith = شخص +| rdfs:subClassOf = کِسی موقع مقام پر نقل و حمل۔ +}}OntologyClass:نمائش کرنے والا20013900577482022-04-26T12:17:15Z{{Class +| labels = +{{label|en|model}} + +{{label|ur|نمائش کرنے والا}} +| rdfs:subClassOf = شخص +| owl:equivalentClass = wikidata:Q4610556 +}}OntologyClass:نمائندہ20013143587652022-05-16T19:40:33Z{{Class +| labels = + + + {{label|ur|نمائندہ}} +{{label|en|agent}} +| comments = +{{comment|ur|ایک ایجنٹ ایک ایسا ادارہ ہے جو کام کرتا ہے۔ اس کا مقصد شخص اور تنظیم کا فوق درجہ ہونا ہے۔}} + +{{comment|en|Analogous to a foaf:Agent, an agent is an entity that acts. This is intended to be the super class of Person and Organisation.}} + + +| owl:disjointWith = جگہ +| owl:equivalentClass = dul:Agent, wikidata:Q24229398 +| rdfs:subClassOf = owl:Thing +}}OntologyClass:نيزہ باز20013258582242022-05-13T09:06:59Z{{Class +| labels = +{{label|ur|نيزہ باز}} +| rdfs:subClassOf = کھلاڑی +}}OntologyClass:نَسبہ20013465582462022-05-13T10:18:04Z{{Class +|labels= + +{{label|ur|نَسبہ}} +{{label|en|gene}} +| rdfs:subClassOf = حیاتیاتی مرکبات +| owl:equivalentClass = wikidata:Q7187 +}}OntologyClass:نَسبہ کا مقام20013466581672022-05-12T19:18:31Z{{Class +| labels = + {{label|ur| نَسبہ کا مقام}} +{{label|en|GeneLocation}} +| rdfs:subClassOf = owl:Thing +}}OntologyClass:نکشتر20013591575602022-04-24T14:54:59Z{{Class +| rdfs:subClassOf = آسمانی جسم +| labels = +{{label|en|constellation}} +{{label|ur|نکشتر}} + + +| owl:equivalentClass = wikidata:Q8928 +}} +== References == +<references />OntologyClass:نہر20013420576432022-04-25T08:07:53Z{{Class +| labels = + +{{label|en|canal}} + +{{label|ur|نہر}} + +| comments = +{{comment|en|a man-made channel for water}} +{{comment|ur|پانی کے لیے انسان کا بنایا ہوا چینل}} +| rdfs:subClassOf = ندی +| owl:equivalentClass = schema:Canal +| specificProperties = {{SpecificProperty | ontologyProperty = originalMaximumBoatBeam | unit = metre }} + {{SpecificProperty | ontologyProperty = originalMaximumBoatLength | unit = metre }} + {{SpecificProperty | ontologyProperty = maximumBoatBeam | unit = metre }} + {{SpecificProperty | ontologyProperty = maximumBoatLength | unit = metre }} +}}OntologyClass:نیسکار ڈرائیور20013601586122022-05-15T08:03:42Z{{Class +| labels = +{{label|en|nascar driver}} +{{label|ur|نیسکار ڈرائیور}} + +| rdfs:subClassOf = مقابلہ میں کاریں چلانے والے +}}OntologyClass:نیشنل فٹ بال لیگ تقریب20013602561682022-01-23T15:20:32Z{{Class +| labels = + +{{label|ur|نیشنل فٹ بال لیگ تقریب}} + +| rdfs:subClassOf = کھیلوں کی تقریب + +}}OntologyClass:نیٹ بال کھلاڑی20013598586102022-05-15T07:57:20Z{{Class +| labels = +{{label|en|netball player}} +{{label|de|نیٹ بال کھلاڑی}} + + +| rdfs:subClassOf = کھلاڑی +}}OntologyClass:وادی20014071584002022-05-14T14:15:59Z{{Class +| labels = +{{label|ur|وادی}} +{{label|en|valley}} + +| comments = +{{comment|ur|پہاڑیوں یا پہاڑوں کے درمیان زمین کا ایک نچلا علاقہ، عام طور پر اس میں سے دریا یا ندی بہتی ہے}} +{{comment|en|a depression with predominant extent in one direction}} +| rdfs:subClassOf = قدرتی جگہ +| owl:equivalentClass = wikidata:Q39816 +}}OntologyClass:والی بال پلیئر۔20013497558162021-09-17T20:22:31Z{{Class +| labels = + +{{label|ur|والی بال پلیئر۔}} +| rdfs:subClassOf = کھلاڑی +| owl:equivalentClass = wikidata:Q15117302 +}}OntologyClass:والی بال کاکھلاڑی20013914578302022-05-01T18:01:55Z{{Class +| labels = + {{label|en|volleyball player}} + {{label|ur|والی بال کاکھلاڑی}} +| rdfs:subClassOf = کھلاڑی +| owl:equivalentClass = wikidata:Q15117302 +}}OntologyClass:والی بال کی انجمن20014093584782022-05-14T18:47:50Z{{Class +| labels = +{{label|ur|والی بال کی انجمن}} +{{label|en|volleyball league}} + +| comments = +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروپ جو والی بال میں ایک دوسرے سے مقابلہ کرتے ہیں}} +{{comment|en|A group of sports teams that compete against each other in volleyball.}} +| rdfs:subClassOf = کھیلوں کی انجمن +}}OntologyClass:والی بال کی تربیت کرنے والا20014076584142022-05-14T15:01:25Z{{Class +| labels = +{{label|ur|والی بال کی تربیت کرنے والا}} +{{label|en|volleyball coach}} + +| rdfs:subClassOf = تربیت کرنے والا +}}OntologyClass:وزراء کی کابینہ20013479582392022-05-13T09:46:17Z{{Class +|labels= +{{label|ur|وزراء کی کابینہ}} +{{label|en|cabinet of ministers}} +| rdfs:subClassOf=سرکاری محکمہ +|comments= +{{comment|ur|کابینہ اعلی درجے کے ریاستی عہدیداروں کا ایک ادارہ ہے ، عام طور پر ایگزیکٹو برانچ کے اعلی رہنماؤں پر مشتمل ہوتا ہے۔}} +{{comment|en|A cabinet is a body of high-ranking state officials, typically consisting of the top leaders of the executive branch.}} +}}OntologyClass:وزیر20013743580022022-05-06T10:53:04Z{{Class +| labels = + + +{{label|ur|وزیر}} +{{label|en|minister}} + +| rdfs:subClassOf = سیاستدان + +}}OntologyClass:وزیراعظم20013998581892022-05-13T03:13:56Z{{Class +| labels = +{{label|en|prime minister}} +{{label|ur|وزیراعظم}} +| rdfs:subClassOf = سیاستدان +}}OntologyClass:وقت وقفہ20013877581702022-05-12T19:24:09Z{{Class +|labels= + + +{{label|ur|وقت وقفہ}} +{{label|en|TimeInterval}} + +| rdfs:subClassOf = owl:Thing +}}OntologyClass:وقت کی مدت20013425581692022-05-12T19:23:10Z{{Class +|labels= + +{{label|ur|وقت کی مدت}} +{{label|en|time period}} +| owl:disjointWith = شخص +| rdfs:subClassOf = وقت وقفہ +}}OntologyClass:ولی20013699584612022-05-14T17:46:06Z{{Class +| labels = +{{label|ur| ولی}} +{{label|en|saint}} +| rdfs:subClassOf = پادری +| owl:equivalentClass = wikidata:Q43115 +}}OntologyClass:ونٹر اسپورٹ پلیئر۔20013214551072021-09-10T06:40:31Z{{Class +| labels = +{{label|ur|ونٹر اسپورٹ پلیئر}} + +{{label|fr|Joueur de sport d'hiver}} +| rdfs:subClassOf = کھلاڑی +}}OntologyClass:وکیل20013620585232022-05-14T19:46:08Z{{Class +| labels = +{{label|en|Lawyer}} + {{label|ur|وکیل}} +| comments = +{{comment|en|a person who is practicing law.}} +{{comment|ur|ایک شخص جو قانون پر عمل پیرا ہے}} +| rdfs:subClassOf = شخص +| owl:equivalentClass = wikidata:Q40348 +}}OntologyClass:ویب صفحات کا مجموعہ20014121586442022-05-15T10:20:47Z{{Class +| labels = +{{label|ur|ویب صفحات کا مجموعہ}} +{{label|en|website}} + +| rdfs:subClassOf = کام +| owl:equivalentClass = schema:WebSite +}}OntologyClass:ویکسین20014065583862022-05-14T13:21:15Z{{Class +| labels = +{{label|ur|ویکسین}} +{{label|en|vaccine}} +| comments = +{{comment|ur|وہ دوائیں جو ایک ویکسین ہیں‎}} +{{comment|en|Drugs that are a vaccine‎}} +| rdfs:subClassOf = نشے کی دوا +}}OntologyClass:ویکسینیشن کے اعدادوشمار20014078584232022-05-14T15:42:58Z{{Class +| labels = +{{label|ur|ویکسینیشن کے اعدادوشمار}} +{{label|en|Vaccination Statistics}} + +| comments = +{{comment|ur|COVID-19 ویکسینیشن کی عالمی پیشرفت سے متعلق اعدادوشمار‎}} +{{comment|en|Statistics related to the COVID-19 vaccination world progress‎}} + +| rdfs:subClassOf = نشے کی دوا +}}OntologyClass:ویکی میڈیا کا سانچہ20014133587232022-05-16T16:37:41Z{{Class +| labels= +{{label|ur|ویکی میڈیا کا سانچہ}} + {{label|en|Wikimedia template}} +| comments= +{{comment|ur|!اس کلاس کو استعمال نہ کریں! یہ صرف اندرونی استعمال کے لیے ہے}} + {{comment|en|DO NOT USE THIS CLASS! This is for internal use only!}} +| owl:equivalentClass = wikidata:Q11266439 +| rdfs:subClassOf = نامعلوم +}}OntologyClass:ٹرام گاڑی20014047583322022-05-13T17:57:04Z{{Class +| labels = +{{label|ur|ٹرام گاڑی}} +{{label|en|tram}} + +| rdfs:subClassOf = نقل و حمل کے ذرائع +}}OntologyClass:ٹرام گاڑی کا اڈا20014059583712022-05-14T12:03:38Z{{Class +| labels = +{{label|ur|ٹرام گاڑی کا اڈا}} +{{label|en|tram station}} + +| rdfs:subClassOf = اڈا +| owl:equivalentClass = <http://vocab.org/transit/terms/stop> +}}OntologyClass:ٹرین کی بوگی20014028582862022-05-13T14:05:49Z{{Class +| labels = +{{label|ur|ٹرین کی بوگی}} +{{label|en|train carriage}} + +| rdfs:subClassOf = نقل و حمل کے ذرائع +}}OntologyClass:ٹٹولنے والا20013504578652022-05-02T16:15:16Z{{Class +| labels = + +{{label|ur|ٹٹولنے والا}} +{{label|en|Browser}} + + +}}OntologyClass:ٹی وی شو20014023582742022-05-13T11:32:56Z{{Class +| labels = {{label|ur|ٹی وی شو}} +| rdfs:label@en = television show + +| rdfs:subClassOf = کام +| owl:equivalentClass = wikidata:Q15416 +}}OntologyClass:ٹی وی مزبان20014032582942022-05-13T14:38:12Z{{Class +| labels = +{{label|ur|ٹی وی مزبان}} +{{label|en|television host}} +| rdfs:subClassOf = پیش کنندہ +| owl:equivalentClass = wikidata:Q947873 +}}OntologyClass:ٹی وی ڈرامہ20014054583622022-05-14T10:38:37Z{{Class +| labels = +{{label|ur|ٹی وی ڈرامہ}} +{{label|en|television season}} + +| rdfs:subClassOf = کام +}}OntologyClass:ٹی وی کا ہدایت کار20014053583602022-05-14T10:15:38Z{{Class +| labels = +{{label|ur|ٹی وی کا ہدایت کار}} +{{label|en|Television director}} +| comments = +{{comment|ur|ایک شخص جو ٹیلی ویژن پروگرام بنانے میں شامل سرگرمیوں کی ہدایت کرتا ہے}} +{{comment|en|a person who directs the activities involved in making a television program.}} +| rdfs:subClassOf = شخص +}}OntologyClass:ٹی وی کی قسط20014022582712022-05-13T11:25:44Z{{Class +| labels = + +{{label|ur|ٹی وی کی قسط}} +{{label|en|television episode}} +| comments = +{{comment|ur|ٹیلی ویژن ایپی سوڈ سیریل ٹیلی ویژن پروگرام کا ایک حصہ ہے }} +{{comment|en|A television episode is a part of serial television program. }} +| rdfs:subClassOf = کام +| owl:equivalentClass = schema:TVEpisode +}}OntologyClass:ٹیبل ٹینس کا کھلاڑی20014049583352022-05-13T18:11:11Z{{Class +| labels = +{{label|ur|ٹیبل ٹینس کا کھلاڑی}} +{{label|en|table tennis player}} + +| comments = +{{comment|ur|کھلاڑی جو ٹیبل ٹینس کھیلتا ہے}} + {{comment|en|Athlete who plays table tennis}} + +| rdfs:subClassOf = کھلاڑی +| owl:equivalentClass = wikidata:Q13382519 +}}OntologyClass:ٹیلی ویژن مرکز20014033582982022-05-13T15:38:36Z{{Class +| labels = + +{{label|ur|ٹیلی ویژن مرکز}} +{{label|en|television station}} +| rdfs:subClassOf = ناشَر +| owl:equivalentClass = schema:TelevisionStation +| comments = +{{comment|ur|ایک ٹیلی ویژن اسٹیشن عام طور پر ایک لائن اپ ہوتا ہے۔ مثال کے طور پر ٹیلی ویژن اسٹیشن WABC-TV (یا ABC 7، چینل 7)۔ براڈکاسٹنگ نیٹ ورک ABC کے ساتھ الجھن میں نہ پڑیں، جس میں بہت سے ٹیلی ویژن اسٹیشن ہیں}} +{{comment|en|A 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.}} +}}OntologyClass:ٹیم کے رکن20014021582682022-05-13T11:20:10Z{{Class +| labels = + +{{label|ur|ٹیم کے رکن}} +{{label|en|Team member}} +|comments= + +{{comment|ur|ایتھلیٹک ٹیم کا رکن}} +{{comment|en|A member of an athletic team.}} +| rdfs:subClassOf = کھلاڑی +}}OntologyClass:ٹینس کا باہمی مقابلہ20014056583662022-05-14T10:48:04Z{{Class +| labels = +{{label|ur|ٹینس کا باہمی مقابلہ}} +{{label|en|tennis tournament}} + +| rdfs:subClassOf = باہمی مقابلہ +| owl:equivalentClass = wikidata:Q13219666 +}}OntologyClass:ٹینس کا کھلاڑی20014034583002022-05-13T15:41:53Z{{Class +| labels = +{{label|ur|ٹینس کا کھلاڑی}} +{{label|en|tennis player}} + +| rdfs:subClassOf = کھلاڑی +| owl:equivalentClass = wikidata:Q10833314 +}}OntologyClass:ٹینس کی انجمن20014024582762022-05-13T11:45:26Z{{Class +| labels = + +{{label|ur|ٹینس کی انجمن}} +{{label|en|tennis league}} +| comments = +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروپ یا شخص جو ٹینس میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں}} +{{comment|en|A group of sports teams or person that compete against each other in tennis.}} +| rdfs:subClassOf = کھیلوں کی انجمن +}}OntologyClass:پادری20013314574982022-04-24T10:46:45Z{{Class +| labels = +{{label|en|cleric}} +{{label|ur|پادری}} +| rdfs:subClassOf = شخص +}}OntologyClass:پادری کا علاقہ20013960585582022-05-15T05:24:34Z{{Class +| labels = +{{label|ur|پادری کا علاقہ}} +{{label|en|parish}} +| comments = +{{comment|en|The smallest unit of a clerical administrative body}} + +{{comment|ur|علما کے انتظامی ادارے کی سب سے چھوٹی اکائی}} +| rdfs:subClassOf = علمی انتظامی علاقہ +| owl:equivalentClass = +}}OntologyClass:پادریوں کا سردار20013924578942022-05-05T10:45:33Z{{Class +| labels = +{{label|en|archbishop}} +{{label|ur|پادریوں کا سردار}} +| rdfs:subClassOf = عیسائی پادري +}}OntologyClass:پارلیمنٹ کا رکن20013947579932022-05-06T10:22:49Z{{Class +| labels = + +{{label|ur|پارلیمنٹ کا رکن}} +{{label|en|member of parliament}} + + +| rdfs:subClassOf = سیاستدان + +| owl:equivalentClass = wikidata:Q486839 +}}OntologyClass:پانی کا ضلعی اقتدار20013278583162022-05-13T17:16:37Z{{Class +| labels = + +{{label|ur|پانی کا ضلعی اقتدار}} +| comments = + +{{comment|ur|تحفظ،سطحی پانی کے انتظام کے لیے وقف سرکاری ایجنسی}} + +| rdfs:subClassOf = حکومتی انتظامی علاقہ +| owl:equivalentClass = +}}OntologyClass:پانی کی سواری20014126586662022-05-15T10:43:39Z{{Class +| labels = +{{label|ur|پانی کی سواری}} +{{label|en|water ride}} + +| rdfs:subClassOf = تفریحی پارک کی کشش +| owl:equivalentClass = wikidata:Q2870166 +}}OntologyClass:پتھر کنڈلی کھيل کی انجمن20013346576382022-04-24T18:37:24Z{{Class +| labels = +{{label|ur|پتھر کنڈلی کھيل کی انجمن}} +{{label|en|curling league}} +| comments = +{{comment|en|a group of sports teams that compete against each other in Curling}} + +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروپ جو کرلنگ میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں۔}} +| rdfs:subClassOf = کھیلوں کی انجمن + +}}OntologyClass:پجاری20013997586072022-05-15T07:50:39Z{{Class +| labels = +{{label|en|priest}} +{{label|ur|پجاری}} +| rdfs:subClassOf = پادری +| owl:equivalentClass = wikidata:Q42603 +}}OntologyClass:پرانا علاقہ20013665584442022-05-14T17:10:00Z{{Class +| labels = +{{label|en|old territory}} +{{label|ur|پرانا علاقہ}} +| rdfs:subClassOf = ماتحت علاقہ +}}OntologyClass:پرجاتی20013210550942021-09-10T06:06:46Z{{Class +| labels = + +{{label|ur|قسم}} +| rdfs:subClassOf = owl:Thing +<!-- dul:Organism --> +}}OntologyClass:پرجاتیوں20013212551042021-09-10T06:34:41Z{{Class +| labels = +{{label|ur|قسم}} +| rdfs:subClassOf = owl:Thing +<!-- dul:Organism --> +}}OntologyClass:پرندہ20013194578412022-05-02T11:08:05Z{{Class +| labels = + + +{{label|ur|پرندہ}} +{{label|en|bird}} +| rdfs:subClassOf = جانور}}OntologyClass:پروگرامنگ زبان20014006582052022-05-13T03:41:35Z{{Class +| labels = + {{label|en|programming language}} +{{label|ur|پروگرامنگ زبان}} +|comments= +{{comment|ur|ایسی زبانیں جو کمپیوٹر کو ہدایات دینے میں معاون ہیں}} +| rdfs:subClassOf = زبان +| owl:equivalentClass = wikidata:Q9143 +}}OntologyClass:پس منظر20013148577902022-05-01T11:44:22Z{{Class +| labels = +{{label|ur|پس_منظر}} +{{label|en|back scene}} + +| comments = + {{comment|ur| نَغمہ سَاز، پیش کرنے والا، اور پس پردہ لوگ}} +{{comment|en|Composer, producer, and backstage people.}} + + +| rdfs:subClassOf = موسیقی کا فنکار +}}OntologyClass:پل20013333578582022-05-02T12:25:38Z{{Class +| labels = +{{label|ur|پل}} +{{label|en|bridge}} +| rdfs:subClassOf = نقل و حمل کا راستہ +| comments = +{{comment|ur|ایک پل ایک ایسا ڈھانچہ ہے جو جسمانی رکاوٹوں جیسے پانی ، وادی یا سڑک کی راہ میں رکاوٹ کو عبور کرنے کے مقصد سے بنایا گیا ہے}} +{{comment|en|A 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).}} +| owl:equivalentClass = wikidata:Q12280 +}}OntologyClass:پلے بوائے پلے میٹ20013975585772022-05-15T06:32:57Z{{Class +| labels = +{{label|en|Playboy Playmate}} +{{label|ur|پلے بوائے پلے میٹ}} +|comments= +{{comment|ur| پلے میٹ ایک خاتون ماڈل ہے جسے پلے بوائے میگزین کے سینٹر فولڈ/گیٹ فولڈ میں پلے میٹ آف دی منتھ کے طور پر دکھایا گیا ہے}} +| rdfs:subClassOf = شخص +}}OntologyClass:پن چکی20014120586372022-05-15T10:13:44Z{{Class +| labels = +{{label|ur|پن چکی}} +{{label|en|Watermill}} +| rdfs:subClassOf = چکی +| comments = +{{comment|ur|واٹر مل ایک ایسا ڈھانچہ ہے جو پانی کے پہیے یا ٹربائن کا استعمال مکینیکل عمل کو چلانے کے لیے کرتا ہے جیسے آٹا، لکڑی یا ٹیکسٹائل کی پیداوار، یا دھات کی تشکیل (رولنگ، پیسنا یا تار ڈرائنگ)}} +{{comment|en|A 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)}} +| owl:equivalentClass = wikidata:Q185187 +}}OntologyClass:پنڈال20013318576112022-04-24T17:38:16Z{{Class +| labels = +{{label|en|venue}} +{{label|ur|پنڈال}} +| rdfs:subClassOf = عمارت +}}OntologyClass:پنیر20013429576652022-04-25T10:39:33Z{{Class +| labels = +{{label|en|cheese}} + +{{label|ur|پنیر}} + +| rdfs:subClassOf = خوراک +| comments = +{{comment|en|A milk product prepared for human consumption}} +{{comment|ur|ایک دودھ کی مصنوعات جو انسانی استعمال کے لیے تیار کی جاتی ہے۔}} +}}OntologyClass:پودا20013164575832022-04-24T16:09:18Z{{Class +| labels = +{{label|en|plant}} +{{label|ur|پودا}} +| rdfs:subClassOf = خلوی مادہ + +| owl:equivalentClass = wikidata:Q756 +}}OntologyClass:پوشاک ساز20013555581462022-05-12T18:05:08Z{{Class +| labels = +{{label|ur|پوشاک ساز}} + {{label|en|fashion designer}} +|comments= +{{comment|ur| لباس کی نئ وضع قطع ایجاد کرنے والا}} +| rdfs:subClassOf = فنکار +| owl:equivalentClass = wikidata:Q3501317 +}}OntologyClass:پولو انجمن20014113586042022-05-15T07:44:47Z{{Class +| labels = +{{label|en|polo league}} + +{{label|ur|پولو انجمن}} +| comments = +{{comment|en|A group of sports teams that compete against each other in Polo.}} +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروہ جو پولو میں ایک دوسرے سے مقابلہ کرتا ہے۔}} +| rdfs:subClassOf = کھیلوں کی انجمن +}}OntologyClass:پولیس افسر20013979586002022-05-15T07:40:28Z{{Class +| labels = +{{label|en|Police Officer}} +{{label|ur|پولیس افسر}} +| rdfs:subClassOf = شخص +}}OntologyClass:پوکر کھلاڑی20013978585782022-05-15T06:38:54Z{{Class +| labels = +{{label|en|poker player}} +{{label|ur|پوکر کھلاڑی}} +| rdfs:subClassOf = کھلاڑی +}}OntologyClass:پَوَن چکّی کی طرح کی کّل20014099585072022-05-14T19:23:39Z{{Class +| labels = +{{label|ur|پَوَن چکّی کی طرح کی کّل}} +{{label|en|Wind motor}} + +| rdfs:subClassOf = چکی +| comments = +{{comment|ur|ہوا سے چلنے والی ٹربائن جو خود کو ہوا کی سمت اور ہوا کی طاقت کے مطابق ڈھال لیتی ہے۔ ونڈ مل کے ساتھ عام فیکٹر کے طور پر ہوا کے باوجود، اپنی ذات میں ایک طبقہ سمجھا جاتا ہے}} +{{comment|en|A 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.}} +| owl:equivalentClass = wikidata:Q15854792 +}}OntologyClass:پٹھوں20013771577722022-04-26T12:55:15Z{{Class +| labels = +{{label|en|muscle}} +{{label|ur|پٹھوں}} + + +| rdfs:subClassOf = جسمانی ساخت + +| owl:equivalentClass = wikidata:Q7365 +}}OntologyClass:پھسلن کھیل کا میدان20013726586552022-05-15T10:30:53Z{{Class +| labels = +{{label|en|ski resort}} +{{label|ur|پھسلن کھیل کا میدان}} +| rdfs:subClassOf = اسکی کاعلاقہ +| comments = +{{comment|ur|پھسلن کھیل میدان کا استعمال چھٹیوں کے مقام کو بیان کرنے کے لیے کیا جاتا ہے جس میں قیام اور اسکیئنگ کے موسم سرما کے کھیل کی مشق کے لیے ضروری سہولیات موجود ہیں۔}} +| owl:equivalentClass = wikidata:Q130003 +}}OntologyClass:پھولوں کا پودا20013482581492022-05-12T18:15:13Z{{Class +| labels = +{{label|ur| پھولوں کا پودا}} +{{label|en|flowering plant}} +| rdfs:subClassOf = پودا +}}OntologyClass:پھُرتیلاکھلاڑی20013349579622022-05-06T02:13:32Z{{Class +| labels = +{{label|en|athletics player}} +{{label|ur|پھُرتیلاکھلاڑی}} +| rdfs:subClassOf = کھلاڑی +}}OntologyClass:پھُپھُوندی20013549581632022-05-12T18:59:39Z{{Class +|labels= +{{label|en|پھُپھُوندی}} +{{label|en|fungus}} +| rdfs:subClassOf = خلوی مادہ +}}OntologyClass:پہاڑ20013767577632022-04-26T12:36:26Z{{Class +| labels = +{{label|en|mountain}} + +{{label|ur|پہاڑ}} + + +| rdfs:subClassOf = قدرتی جگہ + +| owl:equivalentClass = schema:Mountain, wikidata:Q8502 +| owl:disjointWith = Person +}}OntologyClass:پہاڑی سلسلہ20013749580172022-05-06T15:49:48Z{{Class +| labels = + +{{label|ur|پہاڑی سلسلہ}} +{{label|en|mountain range}} +| comments = + +{{comment|ur|پہاڑوں کی ایک زنجیر جو پہاڑوں سے متصل ہے یا دوسرے پہاڑوں سے راستوں یا وادیوں سے الگ ہے}} +{{comment|en|a chain of mountains bordered by highlands or separated from other mountains by passes or valleys.}} + +| rdfs:subClassOf = قدرتی جگہ + +| owl:equivalentClass = wikidata:Q46831 +}}OntologyClass:پہلوان20013755587042022-05-15T13:00:34Z{{Class +| labels = +{{label|en|wrestler}} +{{label|ur|پہلوان}} +| rdfs:subClassOf = کھلاڑی +| owl:equivalentClass = wikidata:Q13474373 +}}OntologyClass:پیش کنندہ20013991582952022-05-13T15:29:19Z{{Class +| labels = +{{label|ur|پیش کنندہ}} +{{label|en|presenter}} +| comments = {{comment|ur|ٹی وی یا ریڈیو شو پیش کرنے والا}} +{{comment|en|TV or radio show presenter}} +| rdfs:subClassOf = شخص +| owl:equivalentClass = wikidata:Q13590141 +}}OntologyClass:پیشہ20014001581952022-05-13T03:23:25Z{{Class +| labels = +{{label|en|profession}} +{{label|ur|پیشہ}} +| rdfs:subClassOf = شخص کی تقریب +| owl:equivalentClass = wikidata:Q28640 +}}OntologyClass:پیشہ تعینات20013876576552022-04-25T09:01:47Z{{Class +| labels = + {{label|en|career station}} + + + + {{label|ur|پیشہ تعینات}} +| comments = + {{comment|en|this 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}} + {{comment|ur|یہ کلاس کسی شخص کی زندگی میں کیریئر کا مرحلہ ہے ، جیسے ایک فٹ بال کھلاڑی ، جس نے کسی مخصوص کلب میں حاصل کردہ ٹائم اسپین ، میچز اور اہداف کے بارے میں معلومات رکھتے ہیں۔}} +| rdfs:subClassOf = وقت کی مدت +}}OntologyClass:پیشہ ور گھڑ سوار20014103585162022-05-14T19:34:36Z{{Class +| labels = +{{label|en|jockey (horse racer)}} +{{label|ur|پیشہ ور گھڑ سوار}} + +| rdfs:subClassOf = کھلاڑی +}}OntologyClass:پینٹبال انجمن20014112585902022-05-15T07:07:38Z{{Class +| labels = +{{label|en|paintball league}} + +{{label|ur|پینٹبال انجمن}} +| rdfs:subClassOf = کھیلوں کی انجمن +| comments = +{{comment|en|a group of sports teams that compete against each other in Paintball}} +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروہ جو پینٹ بال(مصنوعي روغني گوليوں سے فوجي انداز کي جنگ لڑنے کي نقل) میں ایک دوسرے سے مقابلہ کرتا ہے۔}} +}}OntologyClass:چربی20013633585272022-05-14T19:52:18Z{{Class +| labels = +{{label|en|lipid}} +{{label|ur|چربی}} +| comments = +{{comment|ur|چربی اور چکنائی والے مادے ہیں جو بائیو کیمسٹری میں اہم کردار ادا کرتے ہیں}} +| rdfs:subClassOf = حیاتیاتی مرکبات +}}OntologyClass:چوکور20013734586992022-05-15T12:54:26Z{{Class +| labels = +{{label|en|square}} +{{label|ur|چوکور}} +| rdfs:subClassOf = تعمیراتی ڈھانچہ +| owl:equivalentClass = wikidata:Q174782 +}}OntologyClass:چوہے کے نَسبہ کا مقام20013938579552022-05-05T14:47:55Z{{ Class +| labels = +{{label|ur|چوہے کے نَسبہ کا مقام}} +{{label|en|MouseGeneLocation}} + +| rdfs:subClassOf = نَسبہ کا مقام +}}OntologyClass:چڑیا گھر20014137587322022-05-16T17:45:18Z{{Class +| labels = +{{label|ur|چڑیا گھر}} +{{label|en|zoo}} + +| rdfs:subClassOf = تعمیراتی ڈھانچے +| owl:equivalentClass = wikidata:Q43501 +}}OntologyClass:چکی20013742580012022-05-06T10:50:57Z{{Class +| labels = + +{{label|ur|چکی}} + +{{label|en|Mill}} + +| rdfs:subClassOf = تعمیراتی ڈھانچے +| comments = + +{{comment|ur|ایک یونٹ آپریشن جو ٹھوس مواد کو چھوٹے ٹکڑوں میں توڑنے کے لیے ڈیزائن کیا گیا ہے۔}} +{{comment|en|a unit operation designed to break a solid material into smaller pieces}} + + +| owl:equivalentClass = wikidata:Q44494 +}}OntologyClass:چھوٹا نواب20013351577982022-05-01T12:27:46Z{{Class +| labels = +{{label|ur|چھوٹا نواب}} +{{label|en|baronet}} + +| rdfs:subClassOf = برطانوی بادشاہی +}}OntologyClass:چھوٹاعلاقہ20013894577272022-04-26T11:47:40Z{{Class +| labels = + {{label|en|micro-region}} + +{{label|ur|چھوٹاعلاقہ}} +| comments = + {{comment|en|A microregion is a - mainy statistical - region in Brazil, at an administrative level between a meso-region and a community}} +{{comment|ur|مائیکرو ریجن برازیل میں ایک - بنیادی شماریاتی - خطہ ہے، انتظامی سطح پر ایک میسو ریجن اور کمیونٹی کے درمیان}} + + +| rdfs:subClassOf = حکومتی انتظامی علاقہ + +}}OntologyClass:چھٹی20013524584842022-05-14T18:57:42Z{{Class +| labels = + {{label|en|holiday}} + {{label|ur|چھٹی}} +| comments = + {{comment|ur|ام تعطیل سول یا مذہبی جشن کا دن ہے ، یا کسی تقریب کی یاد میں}} +| rdfs:subClassOf = وقت وقفہ +| owl:equivalentClass = wikidata:Q1445650 +}} + +<references/>OntologyClass:چینی درخت پنکھے کے جیسے پتوں والا20013512559042021-09-18T04:37:57Z{{Class +|labels= +{{label|ur|چینی درخت پنکھے کے جیسے پتوں والا +}} +| rdfs:subClassOf = پودا +}}OntologyClass:ڈرامہ نگار20013974585642022-05-15T05:49:47Z{{Class +| labels = +{{label|en|Playwright}} +{{label|ur|ڈرامہ نگار}} +| comments = +{{comment|en|A person who writes dramatic literature or drama.}} +{{comment|ur|وہ شخص جو ڈرامائی ادب یا ڈرامہ لکھتا ہے۔}} +| rdfs:subClassOf = مصنف +| owl:equivalentClass = wikidata:Q214917 +}}OntologyClass:ڈزنی کے کردار20014041583142022-05-13T16:59:07Z{{Class +| labels = +{{label|ur|ڈزنی کے کردار}} +|comments= +{{comment|ur|امریکی فلم اور اینی میٹیڈ فلمیں بنانے والی کمپنی کے بنائے ہوے کارٹون کردار}} +| rdfs:subClassOf = خیالی کردار +}}OntologyClass:ڈھینکلی20014029582882022-05-13T14:12:13Z{{Class +| labels = +{{label|ur|ڈھینکلی}} +{{label|en|Treadmill}} +| rdfs:subClassOf = چکی +| comments = +{{comment|ur|گھوڑوں، گدھوں یا یہاں تک کہ لوگوں کی کشش طاقت سے چلنے والی چکی}} +{{comment|en|A mill driven by the tractive power of horses, donkeys or even people}} +| owl:equivalentClass = wikidata:Q683267 +}}OntologyClass:ڈی بی پیڈین20013356582182022-05-13T08:47:58Z{{Class +| labels = +{{label|ur|ڈی بی پیڈین}} +| rdfs:subClassOf = شخص +}}OntologyClass:ڈیجیٹل کیمرہ20014037583062022-05-13T16:35:29Z{{Class +| labels = +{{label|ur|ڈیجیٹل کیمرہ}} +| rdfs:subClassOf = تصویر کھینچنے کا آلہ +| comments = +{{comment|ur|ڈیجیٹل کیمرہ ایک ایسا آلہ ہے جو روایتی کیمرہ کے برعکس الیکٹرانک طور پر تصاویر کھینچتا ہے، جو کیمیائی اور مکینیکل عمل سے تصاویر کھینچتا ہے۔}} +}}OntologyClass:ڈیم20014014582222022-05-13T09:05:07Z{{Class +| labels = +{{label|ur|ڈیم}} +| rdfs:subClassOf = بنیادی ڈھانچہ +| comments = +{{comment|ur|ڈیم ایک ایسا ڈھانچہ ہے جو پانی کے قدرتی بہاؤ کو روکتا، ری ڈائریکٹ یا سست کر دیتا ہے۔}} +| owl:equivalentClass = wikidata:Q12323 +}}OntologyClass:کائی20013935579452022-05-05T14:31:52Z{{Class +| labels = + +{{label|ur|کائی}} +{{label|en|moss}} +| rdfs:subClassOf = پودا +}}OntologyClass:کار دوڑ20013905577622022-04-26T12:32:18Z{{Class +| labels = +{{label|en|motor race}} + +{{label|ur|کار دوڑ}} +| rdfs:subClassOf = دوڑ +}}OntologyClass:کار ہنر20013700579322022-05-05T12:36:04Z{{Class +|labels = +{{label|ur|کار ہنر}} +{{label|en|artwork}} +| comments = +{{comment|ur|فن کا کام، فَنی پیس، یا فَنی آبجیکٹ ایک جمالیاتی شے یا فنکارانہ تخلیق ہے۔}} +{{comment|en|A work of art, artwork, art piece, or art object is an aesthetic item or artistic creation.}} +| rdfs:subClassOf = کام +}}OntologyClass:کارخانه20013459581272022-05-12T16:52:51Z{{Class +| labels = +{{label|ur|کارخانه}} +{{label|en|factory}} +| rdfs:subClassOf = عمارت +| comments = +{{comment|ur|ایک کارخانه (پہلے کارخانه) ایک صنعتی رقبہ ہے ، عام طور پر عمارتوں اور مشینری پر مشتمل ہوتی ہے ، یا زیادہ عام طور پر ایک مرکب جس میں کئی عمارتیں ہوتی ہیں ، جہاں مزدور سامان تیار کرتے ہیں یا مشینیں چلاتے ہیں جو ایک مصنوعات کو دوسری پر پروسیسنگ کرتے ہیں۔}} +{{comment|en|A 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.}} +| owl:equivalentClass = wikidata:Q83405 +}}OntologyClass:کاروباری شخص20013451578672022-05-02T16:19:49Z{{Class +| labels = + +{{label|ur|کاروباری شخص}} +{{label|en|businessperson}} +| comments = +{{comment|ur|اصطلاح کاروباری کا بنیادی طور پر مطلب وہ شخص ہے جو اعلی عہدے پر فائز ہو ، جیسے ایگزیکٹو۔}} +{{comment|en|The term entrepreneur mainly means someone who holds a senior position, such as an executive.}} +| rdfs:subClassOf = شخص +}}OntologyClass:کارٹون20013536574992022-04-24T10:51:28Z{{Class +| labels = +{{label|en|cartoon}} + +{{label|ur|کارٹون}} + +| rdfs:subClassOf = کام +| owl:equivalentClass = wikidata:Q627603 +}}OntologyClass:کاشت شدہ مختلف قسم20013886576992022-04-25T11:52:26Z{{Class +| labels = +{{label|en|cultivar (cultivated variety)}} +{{label|ur|کاشت شدہ مختلف قسم}} +| comments = +{{comment|en|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.}} + +{{comment|ur|کاشتکار ایک پودا یا پودوں کا گروہ ہے جو مطلوبہ خصوصیات کے لیے منتخب کیا جاتا ہے جسے پھیلاؤ کے ذریعے برقرار رکھا جا سکتا ہے۔ ایک پودا جس کی اصل یا انتخاب بنیادی طور پر جان بوجھ کر انسانی سرگرمی کی وجہ سے ہے۔}} + +| rdfs:subClassOf = پودا +| owl:equivalentClass = wikidata:Q4886 +}}OntologyClass:کام20013155584172022-05-14T15:06:48Z{{Class +| labels = + {{label|en|work}} +{{label|ur|کام}} +| comments = + {{comment|en|Item on which time has been spent for its realisation. Actor can be a human on not (machine, insects, nature...)}} + {{comment|ur|وہ شے جس پر اس کی تکمیل کے لیے وقت صرف کیا گیا ہو۔ اداکار انسان نہیں ہو سکتا (مشین، کیڑے، فطرت}} + + +| owl:equivalentClass = wikidata:Q25372 +| owl:disjointWith = wgs84_pos:SpatialThing +| specificProperties = {{SpecificProperty | ontologyProperty = runtime | unit = minute }} +| rdfs:subClassOf = owl:Thing + +}}OntologyClass:کام کی اکائی20013307583772022-05-14T12:17:47Z{{Class +| labels = +{{label|en|unit of work}} + {{label|ur|کام کی اکائی}} +| owl:disjointWith = شخص +| comments = +{{comment|en|This 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.}} +{{comment|ur|اس کلاس کا مقصد کام کی مقدار کو سمجھانا ہے۔ یہ سرگرمی سے مختلف ہے کہ اس کا ایک حتمی اختتام ہے اور اسے ناپا جا رہا ہے۔}} +| rdfs:subClassOf = owl:Thing +| owl:equivalentClass = +}}OntologyClass:کام کی ترتیب20014102585152022-05-14T19:33:57Z{{Class +| labels = + {{label|ur|کام کی ترتیب}} + {{label|en|sequence of works}} + +| comments = +{{comment|ur|پچھلے/اگلے کاموں کی ترتیب}} + {{comment|en|sequence of works previous/next}} + +|rdfs:subClassOf = فہرست +}}OntologyClass:کان20013855584182022-05-14T15:28:14Z{{Class +| labels = + {{label|en|mine }} + +{{label|ja|کان}} +| comments = + {{comment|en|A mine is a place where mineral resources are or were extracted}} +{{comment|ur|کان ایک ایسی جگہ ہے جہاں معدنی وسائل ہیں یا نکالے گئے ہیں۔}} + | rdfs:subClassOf = جگہ +| owl:disjointWith = شخص +}}OntologyClass:کتا20013279557642021-09-17T18:34:45Z{{Class +| labels = + +{{label|ur|کتا}} +| rdfs:subClassOf = تھن والے جانور +| owl:disjointWith = بلی +| owl:equivalentClass = wikidata:Q25324 +}}OntologyClass:کتاب20013331578502022-05-02T11:57:56Z{{Class +| labels = +{{label|ur|کتاب}} +{{label|en|book}} + +| rdfs:subClassOf = تحریری کام +| owl:equivalentClass = schema:Book, bibo:Book, wikidata:Q571 +}} + +{{DatatypeProperty + +| rdfs:range = xsd:string +}}OntologyClass:کتب خانہ20013624585352022-05-14T20:06:34Z{{Class +| labels = +{{label|en|library}} +{{label|ur|کتب خانہ}} +| rdfs:subClassOf = تعلیمی ادارے <!-- , Building --> +| owl:equivalentClass = schema:Library, wikidata:Q7075 +}}OntologyClass:کثِیر شَکری20013985585672022-05-15T06:03:32Z{{Class +| labels = +{{label|en|polysaccharide}} +{{label|ur|کثِیر شَکری}} +| comments = +{{comment|ur|یہ کاربوہائیڈریٹس ہیں جو دس یا اس سے زیادہ سادَہ شَکَّر یونٹوں سے بنی ہیں۔}} +| rdfs:subClassOf = حیاتیاتی مرکبات +}}OntologyClass:کثیر حجم کی اشاعت20013770577712022-04-26T12:53:35Z{{Class +| labels = +{{label|en|multi volume publication}} + +{{label|ur|کثیر حجم کی اشاعت}} + + +| rdfs:subClassOf =تحریری کام + +}}OntologyClass:کراس کنٹری اسکیئر20013862575752022-04-24T15:43:42Z{{Class +| labels = +{{label|en|cross-country skier}} + +{{label|ur|کراس کنٹری اسکیئر}} +| rdfs:subClassOf = سرمائی کھیل کھیلنے والا + +}}OntologyClass:کرف نخلی20013865575812022-04-24T16:07:00Z{{Class +| labels = +{{label|en|cycad}} + +{{label|ur|کرف نخلی}} +| rdfs:subClassOf = پودا +}}OntologyClass:کرلنگ کا کھیل کھیلنے والا20013864575792022-04-24T15:56:25Z{{Class +| labels = +{{label|en|curler}} + +{{label|ur|گھنگریالا بنانے کا آلہ}} +| rdfs:subClassOf = سرمائی کھیل کھیلنے والا + +}}OntologyClass:کروی غول20013513582492022-05-13T10:26:59Z{{Class +| labels = +{{label|ur|کروی غول}} +{{label|en|Globular Swarm}} +| rdfs:subClassOf = غول +}}OntologyClass:کرکٹ انجمن20013179576952022-04-25T11:46:49Z{{Class +| labels = +{{label|en|cricket league}} +{{label|ur|کرکٹ انجمن}} +| comments = +{{comment|en|a group of sports teams that compete against each other in Cricket}} + +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروپ جو کرکٹ میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں۔}} +| rdfs:subClassOf = کھیلوں کی انجمن +}}OntologyClass:کرکٹ جماعت20014077584202022-05-14T15:38:29Z{{Class +| labels = +{{label|en|cricket team}} + +{{label|ur|کرکٹ جماعت}} +| rdfs:subClassOf = کھیل کی جماعت + +}}OntologyClass:کرکٹ کا میدان20013342576312022-04-24T18:24:04Z{{Class +| labels = +{{label|en|cricket ground}} +{{label|ur|کرکٹ کا میدان}} +| rdfs:subClassOf = کھیل کی سہولت +}}OntologyClass:کرکٹ کا کھلاڑی20013873576362022-04-24T18:33:11Z{{Class +| labels = + {{label|en|cricketer}} + + {{label|ur| کرکٹ کا کھلاڑی}} +| rdfs:subClassOf = کھلاڑی +}}OntologyClass:کسان20013541581562022-05-12T18:38:22Z{{Class +| labels = +{{label|ur|کسان}} +{{label|en|farmer}} +| rdfs:subClassOf = شخص +| owl:equivalentClass = wikidata:Q131512 +}}OntologyClass:کسرتی20013488581782022-05-12T19:52:31Z{{Class +| labels = +{{label|ur|کسرتی}} +{{label|en|gymnast}} +| comments = +{{comment|ur|جمناسٹ وہ ہوتا ہے جو جمناسٹکس کرتا ہے}} +{{comment|en|A gymnast is one who performs gymnastics}} +| rdfs:subClassOf = کھلاڑی +}}OntologyClass:کسی شخص (جاگیردار) یا سرکاری ادارے کے دائرہ اختیار کا قدیم علاقہ20013369578932022-05-05T10:39:38Z{{Class +| labels = +{{label|ur|کسی شخص (جاگیردار) یا سرکاری ادارے کے دائرہ اختیار کا قدیم علاقہ}} +{{label|en|ancient area of jurisdiction of a person (feudal) or of a governmental body}} +| comments = +{{comment|ur|زیادہ تر اختیارات کی جاگیردارانہ شکلوں کے لیے ، لیکن مرکزی اختیار کی تاریخی شکلوں کے لیے بھی کام کر سکتا ہے}} +{{comment|en|Mostly for feudal forms of authority, but can also serve for historical forms of centralised authority}} +| rdfs:subClassOf = انتظامی علاقہ +| owl:equivalentClass = +}}OntologyClass:کشتی بنانے والا20014069583932022-05-14T14:07:44Z{{Class +| labels = +{{label|en|canoeist}} + +{{label|ur| کشتی بنانے والا }} +| rdfs:subClassOf = کھلاڑی +}}OntologyClass:کشتی بنانے والاit20013843574882022-04-24T10:29:18Z{{Class +| labels = +{{label|en|canoeist}} + +{{label|ur| کشتی بنانے والا }} +| rdfs:subClassOf = کھلاڑی +}}OntologyClass:کشتی کی تقریب20014104585192022-05-14T19:38:32Z{{Class +| labels = +{{label|ur|کشتی کی تقریب}} +{{label|en|wrestling event}} +| rdfs:subClassOf = کھیلوں کی تقریب +}}OntologyClass:کشودرگرہ20013400579342022-05-05T12:38:08Z{{Class +| labels = +{{label|en|asteroid}} +{{label|ur|کشودرگرہ}} +| rdfs:subClassOf = جرم فلکی +| rdfs:seeAlso = Planet +| owl:equivalentClass = wikidata:Q3863 +}}OntologyClass:کوئلہ20013854575392022-04-24T12:32:14Z{{Class +| labels = + {{label|en|coal pit }} + +{{label|ur|کوئلہ}} +| comments = + {{comment|en|A coal pit is a place where charcoal is or was extracted}} + {{comment|ur|کوئلے کا گڑھا ایک ایسی جگہ ہے جہاں چارکول ہے یا نکالا جاتا ہے۔}} + +| rdfs:subClassOf = کان + +}}OntologyClass:کورونا وائرس201920013177576942022-04-25T11:45:13Z{{Class +| labels = +{{label|en|COVID-19 pandemic}} +{{label|ur|کورونا وائرس2019}} +| comments = +{{comment|en|Ongoing pandemic of coronavirus disease 2019}} + +{{comment|ur|کورونا وائرس کی بیماری 2019 کی جاری وبائی بیماری۔}} + +| rdfs:subClassOf = owl:Thing +| rdfs:domain = owl:Thing +| rdfs:range = Covid19 +| owl:equivalentClass = wikidata:Q84263196 + +}}OntologyClass:کَشید گاہ20013501578562022-05-02T12:22:30Z{{Class +| labels = + +{{label|ur|کَشید گاہ}} +{{label|en|brewery}} + +| rdfs:subClassOf = تجارتی ادارہ +}}OntologyClass:کِسی موقع مقام پر نقل و حمل20013174579882022-05-06T10:09:58Z{{Class +| labels = +{{label|en|on-site mean of transportation}} +{{label|ur|کِسی موقع مقام پر نقل و حمل}} +| specificProperties = +{{SpecificProperty | ontologyProperty = diameter | unit = metre }} +{{SpecificProperty | ontologyProperty = mass | unit = kilogram }} +{{SpecificProperty | ontologyProperty = length | unit = millimetre }} +{{SpecificProperty | ontologyProperty = height | unit = millimetre }} +{{SpecificProperty | ontologyProperty = weight | unit = kilogram }} +{{SpecificProperty | ontologyProperty = width | unit = millimetre }} +| owl:disjointWith = شخص +| rdfs:subClassOf = نقل و حمل کے ذرائع +}}OntologyClass:کھانا دینے والا20013879576632022-04-25T09:23:31Z{{Class +| labels = +{{label|en|Caterer}} + +{{label|ur|کھانا دینے والا}} + + +| rdfs:subClassOf = تِجارتی اِدارہ +}}OntologyClass:کھلاڑی20013200574702022-04-24T09:27:04Z{{Class +| labels = +{{label|ur|کھلاڑی}} +{{label|en|athlete}} +| rdfs:subClassOf = شخص +}}OntologyClass:کھلی بھیڑ20013676579892022-05-06T10:17:50Z{{Class +| labels = + +{{label|ur|کھلی بھیڑ}} +{{label|en|Open Swarm}} +| rdfs:subClassOf = غول +}}OntologyClass:کھیل20013241576502022-04-25T08:32:54Z{{Class +| labels = +{{label|en|game}} +{{label|ur|کھیل}} +| comments = +{{comment|en|a structured activity, usually undertaken for enjoyment and sometimes used as an educational tool}} + +{{comment|ur|ایک ساختی سرگرمی ، جو عموما لطف اندوز ہونے کے لیے کی جاتی ہے اور بعض اوقات تعلیمی آلے کے طور پر استعمال ہوتی ہے۔}} +| rdfs:subClassOf = سرگرمی +| owl:equivalentClass = wikidata:Q11410 + +}}OntologyClass:کھیل سکھانے والا20013856575452022-04-24T14:25:05Z{{Class +| labels = +{{label|en|college coach}} + +{{label|ur|کھیل سکھانے والا}} +| rdfs:subClassOf = تربیت کرنے والا +}}OntologyClass:کھیل کی جماعت20014079584252022-05-14T15:53:22Z{{Class +| labels = +{{label|ur|کھیل کی جماعت}} +{{label|en|sports team}} +| rdfs:subClassOf = تنظیم +| owl:equivalentClass = schema:SportsTeam, wikidata:Q12973014 +}}OntologyClass:کھیل کی سہولت20013343582522022-05-13T10:32:25Z{{Class +| labels = + +{{label|ur|کھیل کی سہولت}} +{{label|en|sport facility}} +| rdfs:subClassOf = تعمیراتی ڈھانچہ +}}OntologyClass:کھیل کے متعلق20013932579372022-05-05T12:44:06Z{{Class +| labels = +{{label|en|athletics}} +{{label|ur|کھیل کے متعلق}} +| rdfs:subClassOf = کھیل +}}OntologyClass:کھیل ہاکی ٹیموں کی انجمن20013996581582022-05-12T18:48:30Z{{Class +| labels = +} +{{label|ur|کھیل ہاکی ٹیموں کی انجمن}} +{{label|en|field hockey league}} +| comments = +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروپ جو ہاکی کے میدان میں ایک دوسرے کے خلاف مقابلہ کرتا ہے۔}} + {{comment|en| a group of sports teams that compete against each other in Field Hockey}} +| rdfs:subClassOf = کھیلوں کی انجمن +}}OntologyClass:کھیلوں کا منتظم20013716586952022-05-15T12:37:24Z{{Class +| labels = +{{label|en|sports manager}} +{{label|ur|کھیلوں کا منتظم}} +|comments= +{{comment|en| According 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.}} +{{comment|ur|فرانسیسی لیبل سب ساکر کے مطابق، ٹرینر شپ کا مطلب ہو سکتا ہے۔ تاہم، یہاں ایک اسپورٹس مینیجر کو اسپورٹنگ کلب کے بورڈ کے رکن سے تعبیر کیا جاتا ہے۔}} +| rdfs:subClassOf = شخص +}}OntologyClass:کھیلوں کا موسم20013510578072022-05-01T14:59:03Z{{Class +| labels = + +{{label|ur|کھیلوں کا موسم}} +{{label|en|sports season}} +}}OntologyClass:کھیلوں کی انجمن20013181578032022-05-01T14:50:26Z{{Class +| labels = +{{label|ur|کھیلوں کی انجمن}} +{{label|en|sports league}} +| comments = +{{comment|ur|کھیلوں کی ٹیموں یا انفرادی کھلاڑیوں کا ایک گروہ جو ایک مخصوص کھیل میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں}} +{{comment|en|A group of sports teams or individual athletes that compete against each other in a specific sport.}} +| rdfs:subClassOf = تنظیم +| owl:equivalentClass = wikidata:Q623109 +}}OntologyClass:کھیلوں کی تقریب20013161581522022-05-12T18:20:23Z{{Class +| labels = + +{{label|ur|کھیلوں کی تقریب}} +{{label|en|sports event}} +| comments = +{{comment|ur|مقابلتی جسمانی سرگرمی کا ایک واقعہ}} +{{comment|en|a event of competitive physical activity}} + +| rdfs:subClassOf = معاشرتی واقعہ +| owl:equivalentClass = schema:SportsEvent +}}OntologyClass:کھیلوں کی تنظیم20014098585022022-05-14T19:18:08Z{{Class +| labels = + {{label|en|sports club}} +{{label|ur|کھیلوں کی تنظیم}} +| rdfs:subClassOf = تنظیم + +}}OntologyClass:کھیلوں کی جماعت کا رکن20013717586932022-05-15T12:35:23Z{{Class +| labels = +{{label|en|Sports team member}} +{{label|ur|کھیلوں کی جماعت کا رکن}} +| comments = +{{comment|en|A member of an athletic team.}} +{{comment|ur|ایتھلیٹک ٹیم کا رکن}} +| rdfs:subClassOf = تنظیم کے رکن +}}OntologyClass:کھیلوں کی جماعت کا موسم20014138587372022-05-16T18:31:53Z{{Class +| labels = + +{{label|ur|کھیلوں کی جماعت کا موسم}} +{{label|en|sports team season}} +| comments = +{{comment|ur|ایک خاص سپورٹس ٹیم کے لیے ایک موسم (جیسا کہ پوری لیگ کے موسم کے برعکس جس میں ٹیم ہے۔}} +{{comment|en|A season for a particular sports team (as opposed to the season for the entire league that the team is in)}} +| rdfs:subClassOf = کھیلوں کا موسم +}}OntologyClass:کھیلوں کے مقابلے کا نتیجہ20013675579762022-05-06T04:56:05Z{{Class +| labels = + {{label|en|results of a sport competition}} + {{label|ur|کھیلوں کے مقابلے کا نتیجہ}} +| rdfs:subClassOf = +}}OntologyClass:کہکشاں20013463581802022-05-12T19:57:05Z{{Class +|labels= +{{label|ur|کہکشاں}} + {{label|en|galaxy}} +| rdfs:subClassOf = جرم فلکی +| specificProperties = {{SpecificProperty | ontologyProperty = temperature | unit = kelvin }} + {{SpecificProperty | ontologyProperty = orbitalPeriod | unit = day }} + {{SpecificProperty | ontologyProperty = density | unit = kilogramPerCubicMetre }} + {{SpecificProperty | ontologyProperty = mass | unit = kilogram }} + {{SpecificProperty | ontologyProperty = apoapsis | unit = kilometre }} + {{SpecificProperty | ontologyProperty = maximumTemperature | unit = kelvin }} + {{SpecificProperty | ontologyProperty = averageSpeed | unit = kilometrePerSecond }} + {{SpecificProperty | ontologyProperty = volume | unit = cubicKilometre }} + {{SpecificProperty | ontologyProperty = surfaceArea | unit = squareKilometre }} + {{SpecificProperty | ontologyProperty = meanTemperature | unit = kelvin }} + {{SpecificProperty | ontologyProperty = minimumTemperature | unit = kelvin }} + {{SpecificProperty | ontologyProperty = periapsis | unit = kilometre }} + {{SpecificProperty | ontologyProperty = meanRadius | unit = kilometre }} +| owl:equivalentClass = wikidata:Q318 +}}OntologyClass:کیمیائی عنصر20013433576672022-04-25T10:42:57Z{{Class +| labels = +{{label|en|chemical element}} + +{{label|ur|کیمیائی عنصر}} + + +| rdfs:subClassOf = کیمیائی مادہ +}}OntologyClass:کیمیائی مادہ20013491575202022-04-24T11:36:26Z{{Class +| labels = + +{{label|ur|کیمیائی مادہ}} + {{label|en|chemical substance}} +| specificProperties = {{SpecificProperty | ontologyProperty = density | unit = kilogramPerCubicMetre }} + {{SpecificProperty | ontologyProperty = meltingPoint | unit = kelvin }} + {{SpecificProperty | ontologyProperty = boilingPoint | unit = kelvin }} +| owl:equivalentClass = dul:ChemicalObject + +}}OntologyClass:کیمیائی مادہ۔20013151549722021-09-09T11:10:42Z{{Class +| labels = + +{{label|ur|کیمیائی مادہ}} + +| specificProperties = {{SpecificProperty | ontologyProperty = density | unit = kilogramPerCubicMetre }} + {{SpecificProperty | ontologyProperty = meltingPoint | unit = kelvin }} + {{SpecificProperty | ontologyProperty = boilingPoint | unit = kelvin }} +| owl:equivalentClass = dul:ChemicalObject +}}OntologyClass:کیمیائی مرکب20013311576062022-04-24T17:27:03Z{{Class +| labels = +{{label|en|chemical compound}} +{{label|ur|کیمیائی مرکب}} +| rdfs:subClassOf = کیمیائی مادہ +| owl:equivalentClass = wikidata:Q11173 +}}OntologyClass:کینیڈین فٹ بال جماعت20014080584282022-05-14T16:12:19Z{{Class +| labels = + +{{label|en|canadian football Team}} + +{{label|ur|کینیڈین فٹ بال جماعت}} +| rdfs:subClassOf = کھیل کی جماعت +}}OntologyClass:کینیڈین فٹ بال لیگ20013419576422022-04-25T08:03:29Z{{Class +| labels = + +{{label|en|canadian football league}} + +{{label|ur|کینیڈین فٹ بال لیگ}} + +| comments = +{{comment|en|A group of sports teams that compete against each other in canadian football league.}} +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروپ جو کینیڈین فٹ بال لیگ میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں۔.}} +| rdfs:subClassOf = کھیلوں کی انجمن + +}}OntologyClass:کینیڈین فٹ بال کھلاڑی20014073584042022-05-14T14:25:34Z{{Class +| labels = +{{label|en|canadian football Player}} +{{label|ur|کینیڈین فٹ بال کھلاڑی}} + + + +| rdfs:subClassOf = گرڈیرون فٹ بال کھلاڑی + + +}}OntologyClass:کیڑا20013759587722022-05-16T19:49:46Z{{Class +| labels = + +{{label|ur| کیڑا}} +{{label|en|insect}} +| rdfs:subClassOf = جانور +| owl:equivalentClass = wikidata:Q1390 +}}OntologyClass:گاؤں20014068583912022-05-14T13:36:16Z{{Class +| labels = +{{label|ur|گاؤں}} +{{label|en|village}} +| comments = +{{comment|ur|ایک انسانی بستی یا برادری کا جھنڈ ، عام طور پر ایک چھوٹا قصبہ}} +{{comment|en|a clustered human settlement or community, usually smaller a town}} + +| rdfs:subClassOf = بستی +| owl:equivalentClass = wikidata:Q532 +}}OntologyClass:گالف کا میدان20013367582512022-05-13T10:30:55Z{{Class +| labels = +{{label|ur|گالف کا میدان}} +{{label|en|golf course}} +| comments = +{{comment|ur|زمین کا ایک علاقہ جس میں گولف کے لیے 9 یا 18 سوراخ ہوتے ہیں جن میں سے ہر ایک میں ٹی ، فیئر وے ، اور سبز اور اکثر ایک یا زیادہ قدرتی یا مصنوعی خطرات شامل ہیں۔ - جسے گولف لنکس بھی کہا جاتا ہے۔}} +{{comment|en|In a golf course, holes often carry hazards, defined as special areas to which additional rules of the game apply.}} +| rdfs:subClassOf = کھیل کی سہولت +| owl:equivalentClass = wikidata:Q1048525 +}}OntologyClass:گالف کا کھلاڑی20013477582382022-05-13T09:44:24Z{{Class +|labels= +{{label|ur|گالف کا کھلاڑی}} +{{label|en|golf player}} +| rdfs:subClassOf = کھلاڑی +| owl:equivalentClass = wikidata:Q13156709 +}}OntologyClass:گالف کی انجمن20013476581742022-05-12T19:33:37Z{{Class +|labels= +{{label|ur|گالف کی انجمن}} +{{label|en|golf league}} +|comments = +{{comment|ur|گالف پلیئر جو گالف میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں۔}} +{{comment|en|Golfplayer that compete against each other in Golf}} +| rdfs:subClassOf = کھیلوں کی انجمن +}}OntologyClass:گانا20013458586982022-05-15T12:48:08Z{{Class +| labels = +{{label|en|song}} + +{{label|ur|گانا}} + +| rdfs:subClassOf = موسیقی کا کام, schema:MusicRecording +}}OntologyClass:گانے والوں کا گروہ20013154577942022-05-01T12:12:47Z{{Class +| labels = + + {{label|ur|گانے والوں کا گروہ}} +{{label|en|Band}} +| rdfs:subClassOf = گروہ +, schema:MusicGroup, dul:SocialPerson +| owl:equivalentClass = wikidata:Q215380 +}}OntologyClass:گاڑی20013443556272021-09-15T10:24:00Z +{{Class +| labels = +{{label|ur|گاڑی}} +{{label|en|automobile}} + +| rdfs:subClassOf = نقل و حمل کے ذرائع, schema:Product +| owl:equivalentClass = +| specificProperties = {{SpecificProperty | ontologyProperty = fuelCapacity | unit = litre }} + {{SpecificProperty | ontologyProperty = wheelbase | unit = millimetre }} +}}OntologyClass:گاڑیوں کی ریسوں کی انجمن20013348579612022-05-06T02:07:56Z{{Class +| rdfs:label@en = auto racing league +|labels= +{{label|ur|گاڑیوں کی ریسوں کی انجمن}} +|comments= + +{{comment|ur|کھیلوں کی ٹیموں یا انفرادی کھلاڑیوں کا ایک گروپ جو آٹو ریسنگ میں ایک دوسرے کے خلاف مقابلہ کرتے ہیں}} +| rdfs:comment@en = a group of sports teams or individual athletes that compete against each other in auto racing +| rdfs:subClassOf = کھیلوں کی انجمن +}}OntologyClass:گاڑیوں کے مقابلے کا کھیل20013495581552022-05-12T18:27:13Z{{Class +| labels = +{{label|ur|گاڑیوں کے مقابلے کا کھیل}} +{{label|en|motorsport racer}} +| rdfs:subClassOf = کھلاڑی +}}OntologyClass:گرجا20013882576742022-04-25T11:00:10Z{{Class + +| labels = +{{label|en|church}} + +{{label|ur|گرجا}} + + +| rdfs:subClassOf = مذہبی عمارت +| owl:equivalentClass = wikidata:Q16970 +| comments = +{{comment|en|This is used for church buildings, not any other meaning of church.}} + +{{comment|ur|یہ چرچ کی عمارتوں کے لیے استعمال ہوتا ہے ، چرچ کا کوئی دوسرا مطلب نہیں۔}} +}}OntologyClass:گرم موسم بہار20014089584632022-05-14T18:03:38Z{{Class +| labels = +{{label|en|hot spring}} + +{{label|ur|گرم موسم بہار}} + +| rdfs:subClassOf = قدرتی جگہ +| owl:equivalentClass = wikidata:Q177380 +}}OntologyClass:گرم پانی کا قدرتی چشمہ20013372569272022-03-05T04:52:36Z{{Class +| labels = +{{label|en|hot spring}} +{{label|ur|گرم پانی کا قدرتی چشمہ}} + +| rdfs:subClassOf = قدرتی جگہ +| owl:equivalentClass = wikidata:Q177380 +}}OntologyClass:گرم پانی کاقدرتی چشم20013234551552021-09-10T10:04:54Z{{Class +| labels = +{{label|en|hot spring}} +{{label|ga|foinse the}} +{{label|nl|warmwaterbron}} +{{label|de|heiße Quelle}} +{{label|ur|گرم پانی کا قدرتی چشمہ}} +{{label|ja|温泉}} +{{label|pt|fonte termal}} +| rdfs:subClassOf = NaturalPlace +| owl:equivalentClass = wikidata:Q177380 +}}OntologyClass:گروہ20013160581772022-05-12T19:50:59Z{{Class +|labels= + +{{label|ur|گروہ}} +{{label|en|group}} +| rdfs:subClassOf = تنظیم +| comments = + + +{{comment|ur|لوگوں کا ایک غیر رسمی گروہ }} +{{comment|en|An (informal) group of people.}} +}}OntologyClass:گرڈیرون فٹ بال کھلاڑی20013298574682022-04-24T09:25:36Z{{Class +| labels = +{{label|en|gridiron football player}} + + +{{label|ur|گرڈیرون فٹ بال کھلاڑی}} + +|comments= +{{comment |en|Gradiron football, also called North American football, is a family of soccer team games played primarily in the United States and Canada.}} + +{{comment|ur|گریڈیرون فٹ بال ، جسے شمالی امریکی فٹ بال بھی کہا جاتا ہے ، فٹ بال ٹیم کھیلوں کا ایک خاندان ہے جو بنیادی طور پر ریاستہائے متحدہ اور کینیڈا میں کھیلا جاتا ہے}} +| rdfs:subClassOf = کھلاڑی +| owl:equivalentClass = wikidata:Q14128148 +}}OntologyClass:گلوکار20013684586502022-05-15T10:26:49Z{{Class +| labels = +{{label|ur|گلوکار}} +{{label|en|Singer}} +| comments = + {{comment|ur|ایک شخص جو گاتا ہے}} +| rdfs:subClassOf = موسیقی کا فنکار +| owl:equivalentClass = wikidata:Q177220 +}}OntologyClass:گمٹیلا پودا20014018582372022-05-13T09:42:59Z{{Class +|labels= +{{label|ur|گمٹیلا پودا}} +{{label|en|Gnetophytes}} +| rdfs:subClassOf = پودا +}}OntologyClass:گولف کا باہمی مقابلہ20013133582532022-05-13T10:35:51Z{{Class +| labels = +{{label|ur|گولف کا باہمی مقابلہ}} +{{label|en|golf tournament}} +| rdfs:subClassOf = باہمی مقابلہ +| owl:equivalentClass = wikidata:Q15061650 +}}OntologyClass:گٹار بجانے والا20013197554652021-09-13T08:37:44Z{{Class +| labels = +{{label|ur|گٹار بجانے والا}} +| rdfs:subClassOf = سازندہ +| owl:equivalentClass = wikidata:Q855091 +}}OntologyClass:گھوڑا20013525584852022-05-14T18:59:20Z{{Class +| labels = +{{label|en|horse}} +{{label|ur|گھوڑا}} +| rdfs:subClassOf = تھن والے جانور +}}OntologyClass:گھوڑا دوڑ میں مقابلہ کرنا20013538585052022-05-14T19:23:05Z{{Class +| labels = +{{label|en|horse race}} +{{label|ur|گھوڑا دوڑ میں مقابلہ کرنا}} +| rdfs:subClassOf = دوڑ +}}OntologyClass:گھوڑا سدھانے والا20013526569222022-03-04T06:54:27Z{{Class +| labels = +{{label|en|horse trainer}} +{{label|ur|گھوڑا سدھانے والا}} +| rdfs:subClassOf = شخص +}}OntologyClass:گھڑ سوار20013232584622022-05-14T18:01:06Z{{Class +|labels = +{{label|en|horse rider}} +{{label|ur|گھڑ سوار}} + +| rdfs:subClassOf = کھلاڑی +}}OntologyClass:گہرائی20014036583042022-05-13T16:14:44Z{{Class +| labels = +{{label|ur|گہرائی}} +}}OntologyClass:گیلک کھیل کا کھلاڑی20013462581642022-05-12T19:12:55Z{{Class +|labels= +{{label|ur|گیلک_کھیل_کا_کھلاڑی}} +{{label|en|Gaelic games player}} +| rdfs:subClassOf = کھلاڑی +}}OntologyClass:گیلک گیم پلیئر۔20013228551412021-09-10T07:53:07Z{{Class +|labels= +{{label|ur|گیلک گیم پلیئر}} + +| rdfs:subClassOf = کھلاڑی +}}OntologyClass:ہارمون20013230551452021-09-10T09:41:31Z{{Class +| labels = +{{label|en|Hormone}} +{{label|ur|اعضاء کی خوراک}} +| comments = +{{comment|en|A 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.}} + +{{comment|ur|ایک مادہ جو غدود سے نکل کر خون میں شامل ہوتا ہےاورگردش کے نظام کے ذریعے دور دراز کے اعضاء کو نشانہ بناتے ہیں تاکہ جسمانیات اور طرز عمل کو کنٹرول کریں}} + +| rdfs:subClassOf = Biomolecule +| owl:equivalentClass = wikidata:Q8047 +}}OntologyClass:ہالی ووڈ کارٹون20013535585032022-05-14T19:20:16Z{{Class +| labels = +{{label|en|hollywood cartoon}} +{{label|ur|ہالی ووڈ کارٹون}} +| rdfs:subClassOf = کارٹون +}}OntologyClass:ہاکی ٹیم20013206583492022-05-14T06:13:56Z{{Class +| labels = +{{label|en|hockey team}} +{{label|ur|ہاکی کھیل کی جماعت}} +| rdfs:subClassOf = کھیل کی ٹیم +| owl:equivalentClass = wikidata:Q4498974 +}}OntologyClass:ہاکی کھیل کی جماعت20013370584682022-05-14T18:30:51Z{{Class +| labels = +{{label|en|hockey team}} +{{label|ur|ہاکی کھیل کی جماعت}} +| rdfs:subClassOf = کھیل کی جماعت +| owl:equivalentClass = wikidata:Q4498974 +}}OntologyClass:ہاکی کی تنظیم20014096584972022-05-14T19:16:22Z{{Class +| labels = +{{label|en|hockey club}} +{{label|ur|ہاکی کی تنظیم}} +| rdfs:subClassOf = کھیلوں کی تنظیم + +}}OntologyClass:ہتھیار20014097585012022-05-14T19:17:45Z{{Class +| labels = +{{label|ur|ہتھیار}} +{{label|en|weapon}} + +| rdfs:subClassOf = آلہ, schema:Product +| specificProperties = + {{SpecificProperty | ontologyProperty = length | unit = millimetre }} + {{SpecificProperty | ontologyProperty = height | unit = millimetre }} + {{SpecificProperty | ontologyProperty = weight | unit = kilogram }} + {{SpecificProperty | ontologyProperty = width | unit = millimetre }} + {{SpecificProperty | ontologyProperty = diameter | unit = millimetre }} +| owl:equivalentClass = wikidata:Q728 +}}OntologyClass:ہسپتال20013648569252022-03-04T06:58:06Z{{Class +| labels= + {{label|en|hospital}} + {{label|ur|ہسپتال}} + +| rdfs:subClassOf = عمارت +}}OntologyClass:ہسپتال۔20013539559792021-09-18T06:52:18Z{{Class +| labels = +{{label|ur|ہسپتال۔}} +| rdfs:subClassOf = عمارت +| owl:equivalentClass = schema:Hospital, wikidata:Q16917 +}}OntologyClass:ہلکی شراب20013188578322022-05-01T18:07:13Z{{Class +|labels= + {{label|ur|ہلکی شراب}} +{{label|en|beer}} +| rdfs:subClassOf = مشروب + +| owl:equivalentClass = wikidata:Q44 +}}OntologyClass:ہنگامہ20013672584462022-05-14T17:20:47Z{{Class +| labels = +{{label|en|Outbreak}} +{{label|ur|ہنگامہ}} +| rdfs:subClassOf = تقریب +| owl:equivalentClass = wikidata:Q495513 +}}OntologyClass:ہوا میں چھلانگ لگانے والا20013686587172022-05-15T15:43:44Z{{Class +| labels = +{{label|en|ski jumper}} +{{label|ur|ہوا میں چھلانگ لگانے والا}} +| rdfs:subClassOf = سرمائی کھیل کھیلنے والا +<!-- | owl:equivalentClass = wikidata:Q15117302 --> +}}OntologyClass:ہوا کی سمت20013283576002022-04-24T17:00:55Z{{Class +|labels = + {{label|en|Cardinal direction}} + {{label|ur|ہوا کی سمت}} +| comments = +{{comment|en|One of the four main directions on a compass or any other system to determine a geographical position}} + +{{comment|ur|جغرافیائی پوزیشن کا تعین کرنے کے لیے کمپاس یا کسی دوسرے نظام پر چار اہم سمتوں میں سے ایک}} +| rdfs:subClassOf =موضوع کا تصور +}}OntologyClass:ہوا کی چکی20014122586482022-05-15T10:25:28Z{{Class +| labels = +{{label|ur|ہوا کی چکی}} +{{label|en|Windmill}} + +| rdfs:subClassOf = چکی +|comments = +{{comment|ur|ہوا کی چکی ایک مشین ہے جو ہوا کی توانائی کو سیل نامی وینز کے ذریعے گردشی توانائی میں تبدیل کرتی ہے}} + {{comment|en|A windmill is a machine that converts the energy of wind into rotational energy by means of vanes called sails}} +| owl:equivalentClass = wikidata:Q38720 +}} + +==References== +<references/>OntologyClass:ہوائی اڈہ20013376554842021-09-13T09:15:11Z{{Class +| labels = +{{label|en|airport}} +{{label|ur|ہوائی اڈہ}} +| rdfs:subClassOf = بنیادی ڈھانچہ +| owl:equivalentClass = schema:Airport,wikidata:Q1248784 +}}OntologyClass:ہوائی جہاز20013386577192022-04-26T11:37:28Z{{Class +| labels = +{{label|en|aircraft}} +{{label|ur|ہوائی جہاز}} + +| rdfs:subClassOf = نقل و حمل کے ذرائع, schema:Product +| owl:equivalentClass = wikidata:Q11436 +}}OntologyClass:ہوائی راستہ20013891577202022-04-26T11:39:02Z{{Class +| labels = +{{label|en|airline}} +{{label|ur|ہوائی راستہ}} + +|comments= +{{comment|ur|ہوائی جہازوں کے ذریعے سواریاں لے جانے والی تنظیم}} +| rdfs:subClassOf = عوامی راہداری کا نظام +| owl:equivalentClass = wikidata:Q46970 +}}OntologyClass:ہڈی20013414578482022-05-02T11:40:32Z{{Class +| labels = + +{{label|ur|ہڈی}} +{{label|en|bone}} + +| rdfs:subClassOf = جسمانی ساخت + +| owl:equivalentClass = wikidata:Q265868 +}}OntologyClass:ہینڈ بال جماعت20014091584722022-05-14T18:39:01Z{{Class +| labels = +{{label|en|handball team}} +{{label|ur|ہینڈ بال جماعت}} +| rdfs:subClassOf = کھیل کی جماعت +| owl:equivalentClass = wikidata:Q10517054 +}}OntologyClass:ہینڈ بال کا کھلاڑی20013199584642022-05-14T18:19:51Z{{Class +| labels = +{{label|en|handball player}} +{{label|ur|ہینڈ بال کا کھلاڑی}} +|comments = +{{comment|ur|ایک کھیل جِس میں دو یا چار کھِلاڑی بَند احاطے میں ربَڑ کی چھوٹی گیند کو ہاتھوں سے دیوار پَر مارتے ہیں}} +| rdfs:subClassOf = کھلاڑی +| owl:equivalentClass = wikidata:Q13365117 +}}OntologyClass:ہینڈ بال کی انجمن20013493584862022-05-14T19:00:45Z{{Class +| labels = +{{label|en|handball league}} +{{label|ur|ہینڈ بال کی انجمن}} +| comments = +{{comment|en|a group of sports teams that compete against each other in Handball}} + +{{comment|ur|کھیلوں کی ٹیموں کا ایک گروپ جو ہینڈ بال میں ایک دوسرے کے خلاف مقابلہ کرتا ہے۔}} +| rdfs:subClassOf = کھیلوں کی انجمن +}}OntologyClass:یادگار20013484579102022-05-05T11:19:41Z{{Class +| labels = +{{label|ur|یادگار}} +{{label|en|memorial}} +| comments = +{{comment|ur|ایک قسم کا ڈھانچہ (ایک مجسمہ یا آرٹ آبجیکٹ) کسی شخص یا اہم واقعہ کی یاد میں بنایا گیا ، ضروری نہیں کہ تباہ کن نوعیت کا ہو }} +{{comment|en|A monument erected to commemorate a person, an event and/or group. In the case of a person, this might be a grave or tomb. }} +| rdfs:subClassOf = تعمیراتی ڈھانچہ +| owl:equivalentClass = wikidata:Q4989906 +}}OntologyClass:یوروویژن گانا مقابلہ اندراج20013457583542022-05-14T06:24:33Z{{Class +| labels = +{{label|ur|یوروویژن گانا مقابلہ اندراج}} +{{label|en| Eurovision song contest entry}} +| rdfs:subClassOf = گانا +}}OntologyClass:یوٹیب پر وڈیو لگانے والا20014136587302022-05-16T17:41:37Z{{Class +| labels = + {{label|ur|یوٹیب پر وڈیو لگانے والا}} + {{label|en|Youtuber}} + +| rdfs:subClassOf = شخص +| comments = +{{comment|ur|وہ شخص جو ویڈیو شیئرنگ ویب سائٹ یوٹیوب پر ویڈیوز اپ لوڈ کرتا ہے، تیار کرتا ہے یا ان میں ظاہر ہوتا ہے}} +{{comment|en|a person who uploads, produces, or appears in videos on the video-sharing website YouTube..}} + +}}OntologyClass:یوکاریوٹ20013211551032021-09-10T06:32:41Z{{Class +| labels = +{{label|ur|یوکاریوٹ}} +| rdfs:subClassOf = پرجاتیوں +| owl:equivalentClass = wikidata:Q19088 +}}OntologyClass:یوکاریوٹ۔20013361554282021-09-13T07:51:22Z{{Class +| labels = +{{label|en| eukaryote}} +{{label|ur| خلوی مادہ}} +| rdfs:subClassOf = پرجاتیوں +| owl:equivalentClass = wikidata:Q19088 +}}OntologyClass:یوکرائٹ۔20013209550932021-09-10T06:02:57Z{{Class +| labels = +{{label|ur|یک خلوی یا چند خلوی مادہ}} +| rdfs:subClassOf = پرجاتی +| owl:equivalentClass = wikidata:Q19088 +}}OntologyClass:یہودی رہنما20013645569482022-03-05T05:46:41Z{{Class +| labels = +{{label|en|JewishLeader}} + {{label|ur|یہودی رہنما}} +| rdfs:subClassOf = مذہبی +}}OntologyClass:یہودیوں کی عبادت گاہ20013754587062022-05-15T13:04:00Z{{Class +| labels = +{{label|en|synagogue}} +{{label|ur|یہودیوں کی عبادت گاہ}} + +| comments = +{{comment|en|A synagogue, sometimes spelt synagog, is a Jewish or Samaritan house of prayer.<ref>http://en.wikipedia.org/wiki/Synagogue</ref>}} + +{{comment|ur|یہودیوں کی عبادت گاہ، ایک یہودی یا سامری نماز کا گھر ہے۔}} +| rdfs:subClassOf = مذہبی عمارت +| owl:equivalentClass = wikidata:Q34627 +}} + +== references == +<references/>OntologyProperty:ASide202567588442022-06-20T12:45:04Z{{DatatypeProperty +| rdfs:label@en = a side +| rdfs:label@ca = cara A +| rdfs:label@de = Single +| rdfs:label@el = εξώφυλλο +| rdfs:label@ga = taobh a +| rdfs:label@pl = strona A +| rdfs:label@sr = страна +| labels = + {{label|ur|ایک طرف}} +| rdfs:domain = Single +| rdfs:range = xsd:string +| rdfs:comment@en = +}}OntologyProperty:AbbeychurchBlessing2027823589422022-06-20T17:39:42Z{{DatatypeProperty +| rdfs:label@en = abbey church blessing +| rdfs:label@de = Abteikirche weihe +| rdfs:label@sr = опатијски црквени благослов +| labels = +{{label|ur|ابی چرچ کی برکت}} +| rdfs:domain = Cleric +| rdfs:range = xsd:string +}}OntologyProperty:AbbeychurchBlessingCharge2027822491402015-10-13T09:46:42Z{{DatatypeProperty +| rdfs:label@en = abbey church blessing charge +| rdfs:domain = Cleric +| rdfs:range = xsd:string +}}OntologyProperty:Abbreviation202494588472022-06-20T12:57:01Z{{DatatypeProperty +| labels = +{{label|en|abbreviation}} +{{label|ur|مخفف}} +{{label|nl|afkorting}} +{{label|el|συντομογραφία}} +{{label|de|Abkürzung}} +{{label|fr|abréviation}} +{{label|ga|giorrúchán}} +{{label|mk|кратенка}} +{{label|sr|скраћеница}} +{{label|pl|skrót}} +| rdfs:domain = owl:Thing +| rdfs:range = xsd:string +| owl:equivalentProperty = wikidata:P743 +}}OntologyProperty:AbleToGrind2028409589472022-06-20T17:44:43Z{{DatatypeProperty +| labels = +{{label|en|able to grind}} +{{label|ur|پیسنے کے قابل}} +{{label|de|mahlenfähig}} +{{label|nl|maalvaardig}} +| rdfs:domain = Mill +| rdfs:range = xsd:string +}}OntologyProperty:AbsoluteMagnitude2024355510762016-05-14T13:53:19Z{{DatatypeProperty + |rdfs:label@en=absolute magnitude + |rdfs:label@el=απόλυτο μέγεθος + |rdfs:label@de=absolute Helligkeit + |rdfs:label@fr=magnitude absolue + |rdfs:label@ga=dearbhmhéid + |rdfs:label@pl=wielkość absolutna + |rdfs:label@sr=апсолутна магнитуда + |rdfs:domain=CelestialBody + |rdfs:range=xsd:double + |owl:equivalentProperty = wikidata:P1457 +}}OntologyProperty:Abstentions2029132588592022-06-20T13:39:46Z{{DatatypeProperty +| rdfs:label@en = abstentions +| rdfs:label@el = Αριθμός αποχών μετά από ψηφοφορία +| rdfs:label@de = Anzahl der Enthaltungen nach der Abstimmung +| rdfs:label@ga = staonadh +| rdfs:label@nl = Aantal onthoudingen +| labels = +{{label|ur|پرہیز}} +| rdfs:comment@en = Number of abstentions from the vote +| rdfs:comment@ga= an líon daoine a staon ó vótáil +| comments = +{{comment|ur|ووٹ سے پرہیز کرنے والوں کی تعداد}} +| rdfs:domain = StatedResolution +| rdfs:range = xsd:nonNegativeInteger +}}OntologyProperty:Abstract202495589492022-06-20T17:46:37Z'''{{Reserved for DBpedia}}''' + +{{DatatypeProperty +| labels = +{{label|en|has abstract}} +{{label|ur|خلاصہ}} +{{label|de|abstract}} +{{label|el|έχει περίληψη}} +{{label|sr|апстракт}} +| comments = +{{comment|en|Reserved for DBpedia. {{Reserved for DBpedia}}}} +{{comment|el|Προορίζεται για την DBpedia. {{Reserved for DBpedia}}}} +| rdfs:range = rdf:langString +}}OntologyProperty:AcademicAdvisor202496567102022-02-28T13:31:48Z +{{ObjectProperty +| labels = + {{label|en|academic advisor}} + {{label|nl|promotor}} + {{label|el|ακαδημαϊκοί_σύμβουλοι}} + {{label|fr|conseiller académique}} + {{label|sr|академски саветник}} +| rdfs:domain = Scientist +| rdfs:range = Person +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:AcademicDiscipline2023739588532022-06-20T13:16:36Z{{ObjectProperty +| rdfs:label@en = academic discipline +| rdfs:label@de = wissenschaftliche Disziplin +| rdfs:label@sr = академска дисциплина +| labels = + {{label|ur|تعلیمی نظم و ضبط}} +| rdfs:domain = AcademicJournal +| rdfs:range = owl:Thing +| rdfs:comment@en = 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. +| comments = +{{comment|ur|ایک قرارداد میٹنگ یا کنونشن کے ذریعہ اختیار کردہ ایک رسمی بیان کی وضاحت کرتی ہے}} +| rdfs:subPropertyOf = dul:isAbout +}}OntologyProperty:AcademyAward202497589912022-06-21T07:26:02Z{{ObjectProperty +| rdfs:label@en = Academy Award +| rdfs:label@de = Academy Award +|labels={{label|ur|اکیڈمی ایوارڈ}} +| rdfs:label@el = Βραβείο ακαδημίας +| rdfs:label@ga = Duais an Acadaimh +| rdfs:label@pl = Nagroda Akademii Filmowej +| rdfs:label@sr = оскар +| rdfs:domain = Artist +| rdfs:range = Award +| rdfs:subPropertyOf = dul:coparticipatesWith +|comments={{comment|ur|موشن تصویر پروڈکشن اور کارکردگی میں کامیابیوں کے لئے اکیڈمی آف موشن تصویر آرٹس اور سائنسز کے ذریعہ ایک سالانہ اعزاز}} +}}OntologyProperty:Acceleration202498569892022-03-09T11:45:36Z{{DatatypeProperty +| labels = + {{label|ca|acceleració}} + {{label|de|Beschleunigung}} + {{label|en|acceleration}} + {{label|fr|accélération}} + {{label|nl|acceleratie}} + {{label|el|επιτάχυνση}} + {{label|ga|luasghéarú}} + {{label|pl|przyspieszenie}} + {{label|sr|убрзање}} +|comments = + {{comment|fr|variation de la vitesse}} +| rdfs:domain = AutomobileEngine +| rdfs:range = Time +| rdf:type = owl:FunctionalProperty +}}OntologyProperty:Access202499588602022-06-20T13:43:07Z{{DatatypeProperty +| labels = + {{label|en|access}} +{{label|ur|رسائی}} + {{label|nl|toegang}} + {{label|de|Zugriff}} + {{label|el|πρόσβαση}} + {{label|fr|accès}} + {{label|sr|приступ}} +| rdfs:range = xsd:string +}}OntologyProperty:AccessDate202500589932022-06-21T09:56:12Z{{DatatypeProperty +| labels = +{{label|ur|رسائی کی تاریخ}} + {{label|en|access date}} + {{label|fr|date d'accès}} + {{label|nl|toegangsdatum}} + {{label|de|Zugriffsdatum}} + {{label|el|ημερομηνία πρόσβασης}} + {{label|sr|датум приступа}} +| rdfs:range = xsd:date +}}OntologyProperty:Achievement2026061526662017-11-18T08:51:48Z{{ObjectProperty +|labels = + {{label|en|achievement}} + {{label|nl|prestatie}} + {{label|de|Leistung}} + {{label|el|κατόρθωμα}} + {{label|fr|haut fait, accomplissement}} + {{label|es|logro}} + {{label|sr|достигнуће}} +| rdfs:domain = Person +}}OntologyProperty:AcquirementDate2023101588642022-06-20T13:45:44Z{{DatatypeProperty +| rdfs:label@en=date of acquirement +| rdfs:label@de=Anschaffungszeitpunkt +| rdfs:label@el=ημερομηνία απόκτησης +| labels = + {{label|ur|حصول کی تاریخ}} +| rdfs:domain = Ship +| rdfs:range = xsd:date + +}}OntologyProperty:ActScore2023139589952022-06-21T10:03:11Z +{{ObjectProperty +| rdfs:label@en = ACT score +| rdfs:label@el = ACT σκορ +| rdfs:label@sr = ACT резултат +|labels={{label|ur|اے سی تی سکور}} +| rdfs:comment@en = most recent average ACT scores +| rdfs:comment@el = ποιό πρόσφατες μέσες βαθμολογίες ACT +| rdfs:domain = School +| rdfs:subPropertyOf = dul:hasQuality +}}OntologyProperty:ActingHeadteacher202501525752017-10-31T08:24:27Z +{{ObjectProperty +| rdfs:label@en = acting headteacher +| rdfs:label@el = διευθυντής σχολείου +| rdfs:label@sr = вд шефа наставе +| rdfs:domain = EducationalInstitution +| rdfs:range = Person +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:ActiveCases20212297588662022-06-20T13:49:01Z{{DatatypeProperty +| labels = +{{label|en|Active Cases}} +{{label|ur|فعال کیسز}} +{{comment|ur|ایک قرارداد میٹنگ یا کنونشن کے ذریعہ اختیار کردہ ایک رسمی بیان کی وضاحت کرتی ہے}} +| rdfs:comment@en = وبائی مرض میں فعال کیسوں کی تعداد +| rdfs:domain = Outbreak +| rdfs:range = xsd:integer +}}OntologyProperty:ActiveYears2027752589972022-06-21T10:13:28Z{{DatatypeProperty +| labels = + {{label|en|active years}} + {{label|fr|années d'activité}} + {{label|de|aktive Jahre}} + {{label|sr|активне године}} + {{label|ur|فعال سال}} +| rdfs:domain = Person +| rdfs:range = xsd:string +| comments = + {{comment|en|Also called "floruit". Use this if the active years are in one field that can't be split. Else use activeYearsStartYear and activeYearsEndYear}} + {{comment|fr|Appelé aussi "floruit". Utillisez ceci si les années d'activité sont dans un même domaine non fractionnable. Sinon utilisez activeYearsStartYear et activeYearsEndYear}} +| owl:equivalentProperty = gnd:periodOfActivity +}}OntologyProperty:ActiveYearsEndDate202502303542014-01-21T10:27:11Z{{DatatypeProperty +| labels = +{{label|en|active years end date}} +{{label|el|ενεργή ημερομηνία λήξης χρόνου}} +{{label|nl|actieve jaren einddatum}} +{{label|sr|датум завршетка активних година}} +| rdfs:range = xsd:date +}}OntologyProperty:ActiveYearsEndDateMgr2027659588682022-06-20T13:52:13Z{{DatatypeProperty +| labels = +{{label|en|active years end date manager}} +{{label|ur|فعال سال کی آخری تاریخ Mgr}} +| rdfs:domain = Person +| rdfs:range = xsd:string +}}OntologyProperty:ActiveYearsEndYear202503589992022-06-21T10:20:04Z{{DatatypeProperty +| labels = +{{label|en|active years end year}} +{{label|ur|فعال سال آخر سال}} +{{label|ja|引退年}} +{{label|el|ενεργά χρόνια τέλος του χρόνου}} +{{label|nl|actieve jaren eind jaar}} +{{label|sr|последња година активних година}} +| rdfs:domain = owl:Thing +| rdfs:range = xsd:gYear +}}OntologyProperty:ActiveYearsEndYearMgr2027660269192013-07-03T12:23:17Z{{DatatypeProperty +| labels = +{{label|en|active years end year manager}} +| rdfs:domain = Person +| rdfs:range = xsd:gYear +}}OntologyProperty:ActiveYearsStartDate202504588702022-06-20T13:55:02Z{{DatatypeProperty +| labels = +{{label|en|active years start date}} +{{label|ur|فعال سال کی شروعات کی تاریخ}} +{{label|el|ενεργά χρόνια ημερομηνία έναρξης}} +{{label|nl|actieve jaren startdatum}} +{{label|fr|date de début d'activité}} +{{label|sr|датум почетка активних година}} +| rdfs:range = xsd:date +}}OntologyProperty:ActiveYearsStartDateMgr2027657269162013-07-03T12:21:58Z{{DatatypeProperty +| labels = +{{label|en|active years start date manager}} +| rdfs:domain = Person +| rdfs:range = xsd:date +}}OntologyProperty:ActiveYearsStartYear202505303652014-01-21T10:35:43Z{{DatatypeProperty +| labels = +{{label|en|active years start year}} +{{label|el|ενεργός χρόνος έτος λειτουργίας}} +{{label|nl|actieve jaren start jaar}} +{{label|sr|почетна година активних година}} +| rdfs:domain = owl:Thing +| rdfs:range = xsd:gYear +}}OntologyProperty:ActiveYearsStartYearMgr2027658588722022-06-20T13:57:06Z{{DatatypeProperty +| labels = +{{label|en|active years start year manager}} +{{label|ur|فعال سال شروع سال Mgr}} +| rdfs:domain = Person +| rdfs:range = xsd:gYear +}}OntologyProperty:Activity2026815590072022-06-21T15:37:27Z{{ObjectProperty +| labels = + {{label|en|activity}} + {{label|fr|activité}} + {{label|el|δραστηριότητα}} + {{label|de|Aktivität}} +{{label|ur|سرگرمی}} + {{label|sr|активност}} +| rdfs:domain = Person +| owl:equivalentProperty = wikidata:P106 +}}OntologyProperty:Address202507536932020-09-04T15:15:42Z{{DatatypeProperty +| labels = +{{label|en|address}} +{{label|de|Adresse}} +{{label|fr|adresse}} +{{label|sr|адреса}} +{{label|ru|адрес}} +{{label|nl|adres}} +{{label|el|διεύθυνση}} +| rdfs:domain = Place +| rdfs:range = rdf:langString +| owl:equivalentProperty = schema:address, wikidata:P969, ceo:volledigAdres +|comments= +{{comment|en|Address of something as literal. Usually Building, but we also use it for the address of a Region's or Settlement's government}} +}}OntologyProperty:AddressInRoad2023267588742022-06-20T14:07:08Z +{{ObjectProperty +| rdfs:label@en = address in road +| rdfs:label@de = Adresse in Straße +| rdfs:label@el = διεύθυνση στον δρόμο +| rdfs:label@sr = Адреса на путу +| labels = +{{label|ur|سڑک میں واقع ہے}} +| rdfs:domain = Road +| rdfs:range = owl:Thing +{{comment|ur|ایک عمارت، تنظیم یا دوسری چیز جو سڑک میں واقع ہے}} +| rdfs:comment@en = A building, organisation or other thing that is located in the road. +| rdfs:comment@el = Ένα κτήριο, οργανισμός ή κάτι άλλο που βρίσκεται στον δρόμο. +| rdfs:subPropertyOf = dul:isLocationOf +}}OntologyProperty:AdjacentSettlement2026943590132022-06-21T16:48:41Z{{ObjectProperty +| labels = + {{label|en|adjacent settlement of a switzerland settlement}} + {{label|sr|Суседно насеље у Швајцарској}} + {{label|ur|ملحقہ بستی}} +| rdfs:domain = Settlement +| rdfs:range = Settlement +| rdfs:subPropertyOf = dul:nearTo +}}OntologyProperty:AdministrativeCenter2026847567112022-02-28T13:32:50Z{{ObjectProperty +| labels = + {{label|en|administrative center}} + {{label|fr|centre administratif}} + {{label|de|Verwaltungszentrum}} + {{label|sr|административни центар}} +| rdfs:domain = AdministrativeRegion +| rdfs:range = Place +| rdfs:subPropertyOf = dul:sameSettingAs +}}OntologyProperty:AdministrativeCollectivity202508588812022-06-20T14:22:20Z +{{ObjectProperty +| labels = + {{label|en|administrative collectivity}} +{{label|ur|انتظامی اجتماعیت}} + {{label|de|Verwaltungsgemeinschaft}} + {{label|fr|collectivité administrative}} + {{label|nl|administratieve gemeenschap}} + {{label|el|διοικητική συλλογικότητα}} + {{label|sr|административна заједница}} +| rdfs:domain = Settlement +| rdfs:range = PopulatedPlace +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:AdministrativeDistrict202509590152022-06-21T16:50:50Z + +{{ObjectProperty +| labels = + {{label|en|administrative district}} + {{label|de|Verwaltungsbezirk}} + {{label|nl|provincie}} +{{label|ur|انتظامی ضلع}} + {{label|el|δήμος}} + {{label|sr|управни округ}} +| rdfs:domain = Settlement +| rdfs:range = PopulatedPlace +| rdfs:subPropertyOf = http://www.ontologydesignpatterns.org/ont/dul/DUL.owl#isPartOf, dul:isPartOf +}}OntologyProperty:AdministrativeHeadCity2028062306962014-01-22T10:36:49Z{{ObjectProperty +| labels = +{{label|en|head city}} +{{label|fr|ville dirigeante}} +{{label|es|ciudad a la cabeza}} +{{label|sr|административни центар (град)}} +| comments = +{{comment|en|city where stand the administrative power}} +{{comment|fr|ville où siège le pouvoir administratif}} +| rdfs:domain = PopulatedPlace +| rdfs:range = City +}}OntologyProperty:AdministrativeStatus2027225589132022-06-20T16:07:39Z{{DatatypeProperty +| labels = +{{label|en|administrative status}} +{{label|ur|انتظامی درجہ}} +{{label|de|administrativer Status}} +{{label|sr|административни статус}} +| rdfs:range = xsd:string +}}OntologyProperty:Administrator202510590172022-06-21T16:53:00Z{{ObjectProperty +| labels = + {{label|en|administrator}} + {{label|fr|administrateur}} + {{label|de|Verwalter}} + {{label|sr|управник}} +{{label|ur|منتظم}} + {{label|el|διαχειριστής}} +| rdfs:domain = Organisation +| rdfs:range = Person +}}OntologyProperty:AfdbId2023301459702015-03-16T13:31:56Z{{DatatypeProperty +| rdfs:label@en = afdb id +| rdfs:label@el = afdb id +| rdfs:label@pt = código no afdb +| rdfs:label@sr = AFDB ID +| rdfs:label@de = AFDB ID +| rdfs:domain = Film +| rdfs:range = xsd:string +}}OntologyProperty:Affair2027559589152022-06-20T16:10:43Z{{DatatypeProperty +| labels = +{{label|en|affair}} +{{label|ur|معاملہ}} +{{label|sr|афера}} +| rdfs:domain = Person +| rdfs:range = xsd:string +}}OntologyProperty:Affiliate2026821590192022-06-21T16:54:32Z{{DatatypeProperty +| labels = +{{label|en|affiliate}} +{{label|ur|الحاق}} +| rdfs:domain = FictionalCharacter +| rdfs:range = xsd:string +}}OntologyProperty:Affiliation202511537942020-10-26T23:29:49Z +{{ObjectProperty +| labels = + {{label|en|affiliation}} + {{label|el|ιστολόγιο}} + {{label|nl|lidmaatschap}} + {{label|sr|припадност}} +| rdfs:range = Organisation +| rdfs:subPropertyOf = dul:coparticipatesWith +| owl:equivalentProperty = gnd:affiliation +}}OntologyProperty:AfiAward202512589172022-06-20T16:19:28Z +{{ObjectProperty +| rdfs:label@en = AFI Award +| rdfs:label@el = βραβείο AFI +| rdfs:label@sr = AFI награда +| labels = + {{label|ur|اے ایف آئی انعام}} +| rdfs:domain = Artist +| rdfs:range = Award +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:Age2026153590212022-06-21T16:55:55Z{{DatatypeProperty +| labels = + {{label|en|age}} +{{label|ur|عمر}} + {{label|fr|age}} + {{label|nl|leeftijd}} + {{label|de|Alter}} + {{label|el|ηλικία}} + {{label|sr|старост}} +| rdfs:domain = Agent +| rdfs:range = xsd:integer +}}OntologyProperty:AgeRange202513487042015-08-10T10:26:36Z{{DatatypeProperty +| rdfs:label@en = age range +| rdfs:label@de = Altersgruppe +| rdfs:label@el = εύρος ηλικίας +| rdfs:label@sr = опсег година +| rdfs:comment@en = Age range of students admitted in a School, MilitaryUnit, etc +| rdfs:range = xsd:nonNegativeInteger +}}OntologyProperty:Agency2027542589232022-06-20T16:29:52Z{{ObjectProperty +| labels = +{{label|en|agency}} +{{label|ur|ایجنسی}} +{{label|de|Agentur}} +{{label|sr|делатност}} +| rdfs:domain = Person +}}OntologyProperty:AgencyStationCode2023247590232022-06-21T17:00:13Z{{DatatypeProperty +| labels = +{{label|en|agency station code}} +{{label|nl|stationscode}} +{{label|de|Stationsabkürzung}} +{{label|el|κωδικός πρακτορείου }} +{{label|sr|код станице }} +{{label|ur|ایجنسی اسٹیشن کوڈ}} +| rdfs:domain = Station +| rdfs:range = xsd:string +| rdfs:comment@en = Agency station code (used on tickets/reservations, etc.). +| rdfs:comment@de = Offizielle Stationsabkürzung (beispielsweise benutzt auf Fahrkarten). Für Deutschland siehe: http://en.wikipedia.org/wiki/List_of_Deutsche_Bahn_station_abbreviations +| rdfs:comment@el = Κωδικός πρακτορείου (χρησιμοποιείται σε εισιτήρια/κρατήσεις,κτλ.). +|comments={{comment|ur|ایجنسی اسٹیشن کوڈ (ٹکٹ/مخصوص کرنے کا عمل وغیرہ پر استعمال کیا جاتا ہے)۔}} +}}OntologyProperty:Agglomeration2027933304062014-01-21T11:20:57Z{{ObjectProperty +| labels = +{{label|en|agglomeration}} +{{label|sr|агломерација}} +| rdfs:domain = PopulatedPlace +| rdfs:range = Agglomeration +}}OntologyProperty:AgglomerationArea2026930589242022-06-20T16:42:01Z{{ObjectProperty +| labels = +{{label|en|agglomeration area}} +{{label|ur|جمع کا علاقہ}} +{{label|de|Ballungsraum}} +{{label|sr|област агломерације}} +| rdfs:domain = PopulatedPlace +| rdfs:range = Area +}}OntologyProperty:AgglomerationDemographics2027914590252022-06-21T17:03:37Z{{ObjectProperty +| labels = +{{label|en|agglomeration demographics}} +{{label|sr|демографија агломерације}} +{{label|ur|جمع آبادیات}} +| rdfs:domain = PopulatedPlace +| rdfs:range = Demographics +}}OntologyProperty:AgglomerationPopulation2026783306802014-01-22T10:00:41Z{{ObjectProperty +| labels = +{{label|en|agglomeration population}} +{{label|sr|популација агломерације}} +| rdfs:domain = Settlement +| rdfs:range = Population +}}OntologyProperty:AgglomerationPopulationTotal2027915589292022-06-20T17:00:25Z{{DatatypeProperty +| labels = +{{label|en|agglomeration population total}} +{{label|ur|مجموعی آبادی کل}} +{{label|sr|укупна популација агломерације}} +| rdfs:range = xsd:nonNegativeInteger +}}OntologyProperty:AgglomerationPopulationYear2026784590272022-06-21T17:05:11Z{{DatatypeProperty +| labels = +{{label|en|agglomerationPopulationYear}} +{{label|sr|година популације агломерације}} +{{label|ur|مجموعی آبادی کا سال}} +| rdfs:domain = Settlement +| rdfs:range = xsd:string +}}OntologyProperty:Aggregation20210305567132022-02-28T13:35:52Z{{DatatypeProperty +| rdfs:label@en = Aggregation +| rdfs:label@fr = Agrégat +| rdfs:label@nl = Aggregatie +| rdfs:domain = ChemicalSubstance +| rdfs:range = xsd:string +}}OntologyProperty:AirDate202530589382022-06-20T17:20:17Z{{DatatypeProperty +| rdfs:label@en = airdate +| rdfs:label@el = ημερομηνία αέρα +| rdfs:label@sr = датум емитовања +| labels = + {{label|ur|رہائی کی تاریخ}} +| rdfs:domain = RadioStation +| rdfs:range = xsd:date +}}OntologyProperty:AircraftAttack202514357932014-07-08T12:37:37Z +{{ObjectProperty +| rdfs:label@en = aircraft attack +| rdfs:label@de = Flugzeugangriff +| rdfs:label@sr = напад из ваздуха +| rdfs:label@el = επίθεση αεροσκάφους +| rdfs:domain = MilitaryUnit +| rdfs:range = MeanOfTransportation +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:AircraftBomber202515357942014-07-08T12:37:46Z +{{ObjectProperty +| rdfs:label@en = aircraft bomber +| rdfs:label@sr = авион бомбардер +| rdfs:label@el = βομβαρδιστικό αεροσκάφος +| rdfs:domain = MilitaryUnit +| rdfs:range = MeanOfTransportation +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:AircraftElectronic202516357952014-07-08T12:37:54Z +{{ObjectProperty +| rdfs:label@en = aircraft electronic +| rdfs:label@el = ηλεκτρονικό αεροσκάφος +| rdfs:domain = MilitaryUnit +| rdfs:range = MeanOfTransportation +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:AircraftFighter202517357962014-07-08T12:38:03Z +{{ObjectProperty +| rdfs:label@en = aircraft fighter +| rdfs:label@sr = борбени авион +| rdfs:label@el = μαχητικό αεροσκάφος +| rdfs:domain = MilitaryUnit +| rdfs:range = MeanOfTransportation +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:AircraftHelicopter202518357972014-07-08T12:38:11Z +{{ObjectProperty +| labels = + {{label|en|aircraft helicopter}} + {{label|de|Hubschrauber}} + {{label|sr|хеликоптер}} + {{label|el|ελικοφόρο αεροσκάφος}} +| rdfs:domain = MilitaryUnit +| rdfs:range = MeanOfTransportation +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:AircraftHelicopterAttack202519357982014-07-08T12:38:18Z +{{ObjectProperty +| labels = + {{label|en|aircraft helicopter attack}} + {{label|de|Hubschrauberangriff}} + {{label|el|επίθεση ελικοφόρων αεροσκαφών}} + {{label|sr|ваздушни напад хеликоптером}} +| rdfs:domain = MilitaryUnit +| rdfs:range = MeanOfTransportation +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:AircraftHelicopterCargo202520357992014-07-08T12:38:26Z +{{ObjectProperty +| labels = + {{label|en|aircraft helicopter cargo}} + {{label|el|φορτίο ελικοφόρου αεροσκάφους}} + {{label|sr|теретни хеликоптер}} +| rdfs:domain = MilitaryUnit +| rdfs:range = MeanOfTransportation +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:AircraftHelicopterMultirole202521358002014-07-08T12:38:34Z +{{ObjectProperty +| labels = + {{label|en|aircraft helicopter multirole}} + {{label|de|Mehrzweck-Hubschrauber}} + {{label|el|ελικοφόρο αεροσκάφος πολλαπλών ρόλων}} + {{label|sr|вишенаменски хеликоптер}} +| rdfs:domain = MilitaryUnit +| rdfs:range = MeanOfTransportation +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:AircraftHelicopterObservation202522358012014-07-08T12:38:43Z +{{ObjectProperty +| labels = + {{label|en|aircraft helicopter observation}} + {{label|el|παρατήρηση ελικοφόρου αεροσκάφους}} + {{label|sr|осматрање хеликоптером}} +| rdfs:domain = MilitaryUnit +| rdfs:range = MeanOfTransportation +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:AircraftHelicopterTransport202523358022014-07-08T12:38:51Z +{{ObjectProperty +| labels = + {{label|en|aircraft helicopter transport}} + {{label|el|μεταφορές που πραγματοποιούνται με ελικοφόρο αεροσκάφος}} + {{label|sr|транспортни хеликоптер}} +| rdfs:domain = MilitaryUnit +| rdfs:range = MeanOfTransportation +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:AircraftHelicopterUtility202524358032014-07-08T12:39:12Z +{{ObjectProperty +| rdfs:label@en = aircraft helicopter utility +| rdfs:domain = MilitaryUnit +| rdfs:range = MeanOfTransportation +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:AircraftInterceptor202525358042014-07-08T12:39:20Z +{{ObjectProperty +| labels = + {{label|en|aircraft interceptor}} + {{label|el|αναχαίτιση αεροσκάφους}} + {{label|sr|авион пресретач}} +| rdfs:domain = MilitaryUnit +| rdfs:range = MeanOfTransportation +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:AircraftPatrol202526358052014-07-08T12:39:28Z +{{ObjectProperty +| labels = + {{label|en|aircraft patrol}} + {{label|el|περιπολία αεροσκάφους}} +| rdfs:domain = MilitaryUnit +| rdfs:range = MeanOfTransportation +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:AircraftRecon202527358062014-07-08T12:39:37Z +{{ObjectProperty +| rdfs:label@en = aircraft recon +| rdfs:domain = MilitaryUnit +| rdfs:range = MeanOfTransportation +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:AircraftTrainer202528358072014-07-08T12:39:44Z +{{ObjectProperty +| rdfs:label@en = aircraft trainer | rdfs:domain = MilitaryUnit | rdfs:range = MeanOfTransportation | rdfs:subPropertyOf = dul:coparticipatesWith @@ -9762,10 +17584,10 @@ A hormone is any member of a class of signaling molecules produced by glands in |rdfs:comment@el=συντελεστής ανάκλασης |rdfs:domain=Planet |rdfs:range=xsd:double -}}OntologyProperty:Album202531358102014-07-08T12:40:20Z -{{ObjectProperty +}}OntologyProperty:Album202531569912022-03-09T11:59:13Z{{ObjectProperty | labels = {{label|en|album}} + {{label|fr|album}} {{label|de|Album}} {{label|nl|album}} {{label|sr|албум}} @@ -9809,21 +17631,26 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:domain = Person | rdfs:comment@en = 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. | rdfs:range = xsd:string -}}OntologyProperty:Alliance202533358112014-07-08T12:40:28Z -{{ObjectProperty -| rdfs:label@en = alliance -| rdfs:label@de = Allianz -| rdfs:label@el = συμμαχία -| rdfs:label@sr = савез +}}OntologyProperty:Alliance202533569922022-03-09T12:01:52Z{{ObjectProperty +| labels = + {{label|en|alliance}} + {{label|fr|alliance}} + {{label|de|Allianz}} + {{label|el|συμμαχία}} + {{label|sr|савез}} | rdfs:domain = Airline | rdfs:subPropertyOf = dul:isMemberOf -}}OntologyProperty:AlmaMater202534368132014-07-15T06:39:32Z{{ObjectProperty -| rdfs:label@en = alma mater -| rdfs:label@el = σπουδές -| rdfs:label@sr = студије -| rdfs:label@ru = альма-матер +}}OntologyProperty:AlmaMater202534568602022-03-01T11:20:06Z{{ObjectProperty +| labels = + {{label|en|alma mater}} + {{label|fr|école}} + {{label|el|σπουδές}} + {{label|sr|студије}} + {{label|ru|альма-матер}} | rdfs:domain = Person -| rdfs:comment@en = schools that they attended +| comments = + {{comment|en|schools that they attended}} + {{comment|fr|écoles fréquentées}} | rdfs:range = EducationalInstitution | rdfs:subPropertyOf = dul:coparticipatesWith | owl:equivalentProperty = wikidata:P69 @@ -9928,22 +17755,37 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:subPropertyOf = dul:hasLocation }} ==References== -<references/>OntologyProperty:AlternativeName2028167537852020-10-21T19:10:59Z{{DatatypeProperty +<references/>OntologyProperty:AlternativeName2028167573182022-03-31T08:59:29Z{{DatatypeProperty | labels = -{{label|en|alternative name}} -{{label|de|alternativer Name}} -{{label|nl|naamsvariant}} -{{label|sr|алтернативни назив}} + {{label|en|alternative name}} + {{label|fr|autre nom}} + {{label|de|alternativer Name}} + {{label|nl|naamsvariant}} + {{label|sr|алтернативни назив}} | rdfs:range = rdf:langString -| rdfs:comment@en = Alternative naming of anything not being a Person (for which case foaf:nick should be used). +| comments = + {{comment|en|Alternative naming of anything not being a Person (for which case foaf:nick should be used).}} + {{comment|fr|Autre manière de nommer quelque chose qui n'est pas une personne (pour cette dernière, utilisez foaf:nick).}} | owl:equivalentProperty=gn:shortName, gnd:variantNameForThePlaceOrGeographicName -}}OntologyProperty:AlternativeTitle2026795536642020-07-30T21:17:57Z{{ DatatypeProperty +}}OntologyProperty:AlternativeText20213835572292022-03-24T21:16:44Z{{DatatypeProperty +| labels = + {{label|en|alternative text}} + {{label|fr|texte alternatif}} +|comments = + {{comment|en|Replacement text if the image cannot be displayed; used for screen readers; describes the image (max 120 chars recommended).}} + {{comment|fr|Alternative textuelle de l'image ; remplace l'image pour les lecteurs d'écrans ; description succincte de l'image (un maximum de 120 caractères est recommandé).}} +| rdfs:domain = owl:Thing +| rdfs:range = xsd:string +}}OntologyProperty:AlternativeTitle2026795573192022-03-31T09:01:37Z{{ DatatypeProperty | labels = -{{label|en|alternative title}} -{{label|de|alternativer Titel}} -{{label|nl|alternatieve titel}} -{{label|sr|алтернативни наслов}} -| rdfs:comment@en = The alternative title attributed to a work + {{label|en|alternative title}} + {{label|fr|autre titre}} + {{label|de|alternativer Titel}} + {{label|nl|alternatieve titel}} + {{label|sr|алтернативни наслов}} +| comments = + {{comment|en|The alternative title attributed to a work}} + {{comment|fr|Autre titre attribué à une oeuvre}} | rdfs:domain = Work | rdfs:range = rdf:langString | owl:equivalentProperty = schema:alternativeTitle @@ -9959,12 +17801,13 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|標高}} | rdfs:domain = Place | rdfs:range = Altitude -}}OntologyProperty:Alumni202535358212014-07-08T12:42:03Z -{{ObjectProperty -| rdfs:label@en = alumni -| rdfs:label@de = Alumni -| rdfs:label@el = απόφοιτοι πανεπιστημίου -| rdfs:label@sr = алумни +}}OntologyProperty:Alumni202535573202022-03-31T09:05:41Z{{ObjectProperty +| labels = + {{label|en|alumni}} + {{label|fr|anciens élèves}} + {{label|de|Alumni}} + {{label|el|απόφοιτοι πανεπιστημίου}} + {{label|sr|алумни}} | rdfs:domain = EducationalInstitution | rdfs:range = Person | rdfs:subPropertyOf = dul:coparticipatesWith @@ -10070,37 +17913,42 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:domain = Cartoon | rdfs:range = Agent | rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:Anniversary202539334062014-04-03T14:03:11Z{{DatatypeProperty +}}OntologyProperty:Anniversary202539567552022-02-28T17:10:02Z{{DatatypeProperty | labels = -{{label|en|anniversary}} -{{label|de|Jubiläum}} -{{label|el|επέτειος}} -{{label|sr|годишњица}} + {{label|en|anniversary}} + {{label|fr|anniversaire}} + {{label|de|Jubiläum}} + {{label|el|επέτειος}} + {{label|sr|годишњица}} | rdfs:domain = MilitaryUnit | rdfs:range = xsd:date }}OntologyProperty:AnnouncedFrom2028021281752013-09-03T17:36:59Z{{ObjectProperty | rdfs:label@en = announcedFrom | rdfs:domain = Person | rdfs:range = Place -}}OntologyProperty:AnnualTemperature202540334072014-04-03T14:03:15Z{{DatatypeProperty +}}OntologyProperty:AnnualTemperature202540573072022-03-30T14:53:58Z{{DatatypeProperty | labels = -{{label|en|annual temperature}} -{{label|de|Jahrestemperatur}} -{{label|el|ετήσια θερμοκρασία}} -{{label|nl|jaartemperatuur}} -{{label|sr|годишња температура}} + {{label|en|annual temperature}} + {{label|fr|température annuelle}} + {{label|de|Jahrestemperatur}} + {{label|el|ετήσια θερμοκρασία}} + {{label|nl|jaartemperatuur}} + {{label|sr|годишња температура}} | rdfs:domain = Place | rdfs:range = Temperature -}}OntologyProperty:Anthem202541486932015-08-10T10:15:23Z{{ObjectProperty +}}OntologyProperty:Anthem202541573082022-03-30T14:57:12Z{{ObjectProperty | labels = {{label|en|anthem}} + {{label|fr|hymne}} {{label|de|Hymne}} {{label|nl|volkslied}} {{label|el|ύμνος}} {{label|pt|hino}} {{label|sr|химна}} {{label|ru|гимн}} -| rdfs:comment@en = Official song (anthem) of a PopulatedPlace, SportsTeam, School or other +| comments = + {{comment|en|Official song (anthem) of a PopulatedPlace, SportsTeam, School or other}} + {{comment|fr|Chant officiel (hymne) d'un lieu habité, d'une équipe sportive, d'une école ou autre}} | rdfs:range = Work | rdfs:subPropertyOf = dul:coparticipatesWith | owl:equivalentProperty = wikidata:P85 @@ -10172,9 +18020,11 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:domain = Criminal | rdfs:range = xsd:date | rdfs:comment = The date a criminal was apprehended. -}}OntologyProperty:Approach2027775270682013-07-05T10:21:44Z{{ObjectProperty +}}OntologyProperty:Approach2027775590102022-06-21T16:37:43Z{{ObjectProperty | labels = -{{label|en|approach}} + {{label|en|approach}} + {{label|ur|نقطہ نظر}} + {{label|fr|approche}} | rdfs:domain = Person }}OntologyProperty:ApprovedByLowerParliament20211378492432015-10-16T10:55:45Z{{DatatypeProperty | labels = @@ -10233,12 +18083,13 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:range = Architect | rdfs:subPropertyOf = dul:coparticipatesWith | owl:equivalentProperty = wikidata:P84 -}}OntologyProperty:ArchitectualBureau202547358302014-07-08T12:43:23Z +}}OntologyProperty:ArchitectualBureau202547590742022-06-21T18:50:36Z {{ObjectProperty | rdfs:label@en = architectual bureau | rdfs:label@de = Architekturbüro | rdfs:label@el = αρχιτεκτονική κατασκευή | rdfs:domain = ArchitecturalStructure +|labels={{label|ur|عمارتی دفتر}} | rdfs:range = Company | rdfs:subPropertyOf = dul:coparticipatesWith }}OntologyProperty:ArchitecturalMovement2027539491522015-10-13T10:08:55Z{{DatatypeProperty @@ -10259,7 +18110,7 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:domain = ArchitecturalStructure | rdfs:subPropertyOf = dul:isDescribedBy | owl:equivalentProperty = wikidata:P149 -}}OntologyProperty:Area2027943485222015-08-05T14:52:41Z{{DatatypeProperty +}}OntologyProperty:Area2027943590722022-06-21T18:48:06Z{{DatatypeProperty | labels = {{label|en|area}} {{label|nl|oppervlakte}} @@ -10268,6 +18119,7 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|fr|superficie}} {{label|el|έκταση}} {{label|sr|област}} +{{label|ur|رقبہ}} | rdfs:range = Area | comments = {{comment|en|The area of the thing in square meters.}} @@ -10290,12 +18142,13 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|en|area date}} | rdfs:domain = Place | rdfs:range = xsd:date -}}OntologyProperty:AreaLand202551305922014-01-22T07:44:12Z{{DatatypeProperty +}}OntologyProperty:AreaLand202551590702022-06-21T18:45:18Z{{DatatypeProperty | labels = {{label|en|area land}} {{label|nl|oppervlakte land}} {{label|el|έκταση_στεριάς_περιοχής}} {{label|sr|површина земљишта}} +{{label|ur|زمین کا علاقہ}} | rdfs:domain = Place | rdfs:range = Area }}OntologyProperty:AreaMetro202553305962014-01-22T07:47:10Z{{DatatypeProperty @@ -10310,9 +18163,10 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@sr = подручје слива | rdfs:domain = Lake | rdfs:range = Area -}}OntologyProperty:AreaOfCatchmentQuote2027096256202013-05-26T13:35:32Z{{DatatypeProperty +}}OntologyProperty:AreaOfCatchmentQuote2027096590682022-06-21T18:42:13Z{{DatatypeProperty | labels = {{label|en|area of catchment quote}} +{{label|ur|آب گیری اقتباس کا علاقہ}} | rdfs:domain = Place | rdfs:range = xsd:string }}OntologyProperty:AreaOfSearch202555358322014-07-08T12:43:51Z @@ -10328,10 +18182,11 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|en|area quote}} | rdfs:domain = Place | rdfs:range = xsd:string -}}OntologyProperty:AreaRank2027132306032014-01-22T07:54:58Z{{DatatypeProperty +}}OntologyProperty:AreaRank2027132590662022-06-21T18:37:32Z{{DatatypeProperty | labels = {{label|en|area rank}} {{label|sr|површина ранг}} +{{label|ur|علاقے کا درجہ}} | rdfs:domain = Place | rdfs:range = xsd:string }}OntologyProperty:AreaRural2024348306072014-01-22T07:56:51Z{{DatatypeProperty @@ -10351,10 +18206,11 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:domain = Place | rdfs:range = Area | owl:equivalentProperty=wikidata:P2046 -}}OntologyProperty:AreaTotalRanking2025295306132014-01-22T08:08:24Z{{ DatatypeProperty +}}OntologyProperty:AreaTotalRanking2025295590642022-06-21T18:35:58Z{{ DatatypeProperty | rdfs:label@en = total area ranking | rdfs:label@el = συνολική περιοχή +|labels={{label|ur|کل علاقے کی درجہ بندی}} | rdfs:label@sr = укупна површина ранг | rdfs:domain = PopulatedPlace | rdfs:range = xsd:positiveInteger @@ -10374,8 +18230,9 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|sr|водена површина}} | rdfs:domain = Place | rdfs:range = Area -}}OntologyProperty:ArgueDate202559210942012-12-27T10:57:36Z{{DatatypeProperty +}}OntologyProperty:ArgueDate202559590332022-06-21T17:16:39Z{{DatatypeProperty | rdfs:label@en = argue date +|labels={{label|ur|بحث کی تاریخ}} | rdfs:label@el = δημοφιλής ημερομηνία | rdfs:domain = SupremeCourtOfTheUnitedStatesCase | rdfs:range = xsd:date @@ -10392,13 +18249,18 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@el = ώμος | rdfs:domain = Protein | rdfs:range = xsd:string -}}OntologyProperty:Army2027551491432015-10-13T09:52:34Z{{DatatypeProperty +}}OntologyProperty:Army2027551590372022-06-21T17:30:10Z{{DatatypeProperty | labels = {{label|en|army}} {{label|de|Armee}} + {{label|fr|armée}} {{label|nl|leger}} {{label|el|στρατός}} +{{label|ur|فوج}} | comments = + {{comment|en|An army is the ground force of the nation}} +{{label|ur|فوج قوم کی زمینی قوت ہے۔}} + {{comment|fr|Une armée est la force terrestre de la nation}} {{comment|el|Ένας στρατός αποτελεί τις επίγειες ένοπλες δυνάμεις ενός έθνους}} | rdfs:domain = MilitaryPerson | rdfs:range = xsd:string @@ -10416,15 +18278,18 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|el|διαμέρισμα}} | rdfs:domain = PopulatedPlace | rdfs:range = PopulatedPlace | rdfs:subPropertyOf = dul:hasLocation -}}OntologyProperty:ArtPatron2027337358352014-07-08T12:44:16Z +}}OntologyProperty:ArtPatron2027337590392022-06-21T17:35:17Z {{ObjectProperty | labels = {{label|en|patron (art)}} {{label|fr|mécène}} +{{label|ur|فن کاسرپرست}} | rdfs:domain = Agent | rdfs:range = Artist | comments = - {{comment|en|An influential, wealthy person who supported an artist, craftsman, a scholar or a noble.<ref>http://en.wiktionary.org/wiki/patron</ref>. See also<ref>http://en.wikipedia.org/wiki/Patronage</ref>}} + {{comment|en|An influential, wealthy person who supported an artist, craftsman, a scholar or a noble. +{{comment|ur|ایک بااثر، دولت مند شخص جس نے کسی فنکار، کاریگر، عالم یا بزرگ کی حمایت کی۔}} +<ref>http://en.wiktionary.org/wiki/patron</ref>. See also<ref>http://en.wikipedia.org/wiki/Patronage</ref>}} {{comment|fr|Celui qui encourage par ses libéralités les sciences, les lettres et les arts.<ref>http://fr.wiktionary.org/wiki/m%C3%A9c%C3%A8ne</ref>}} | rdfs:subPropertyOf = dul:sameSettingAs }} @@ -10442,7 +18307,7 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|en|artificial snow area}} | rdfs:domain = Place | rdfs:range = xsd:float -}}OntologyProperty:Artist202564358372014-07-08T12:44:33Z +}}OntologyProperty:Artist202564590412022-06-21T17:38:18Z {{ObjectProperty | labels = {{label|de|Interpret}} @@ -10452,12 +18317,25 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|es|intérprete}} {{label|fr|interprète}} {{label|nl|artiest}} +{{label|ur|فنکار}} {{label|pl|wykonawca}} -| rdfs:comment@en = The performer or creator of the musical work. +| comments = + {{comment|en|The performer or creator of the musical work.}} +{{comment|ur|موسیقی کے کام کا اداکار یا تخلیق کار۔}} + {{comment|fr|Celui qui interprète ou qui a créé l'oeuvre musicale.}} | rdfs:domain = MusicalWork | rdfs:range = Agent | owl:equivalentProperty = schema:byArtist, wikidata:P175 | rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:ArtistFunction20213823571082022-03-12T20:20:48Z{{DatatypeProperty +| labels = + {{label|en|artist function}} + {{label|fr|fonction artistique}} +| comments = + {{comment|en|Artist function: vocal, group, instrumentalist, compositor...}} + {{comment|fr|Fonction de l'artiste : chanteur, groupe, instrumentiste, compositeur...}} +| rdfs:domain = Artist +| rdfs:range = xsd:string }}OntologyProperty:ArtisticFunction2027885273852013-07-10T15:01:03Z{{DatatypeProperty | labels = {{label|en|artistic function}} @@ -10482,12 +18360,14 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|en|asia championship}} | rdfs:domain = Athlete | rdfs:range = xsd:string -}}OntologyProperty:AspectRatio2022123358382014-07-08T12:44:43Z +}}OntologyProperty:AspectRatio2022123590552022-06-21T18:04:29Z {{ObjectProperty | rdfs:label@de = Seitenverhältnis | rdfs:label@en = Aspect Ratio | rdfs:label@el = λόγος | rdfs:domain = Software +|labels={{label|ur|پہلو کا تناسب}} +|comments={{comment|ur|(ٹیلی وژن) تناسب نظر / عکس کی چوڑائی کا بلندی سے تناسب}} | rdfs:subPropertyOf = dul:hasQuality }}OntologyProperty:Assembly202568334202014-04-03T14:04:17Z{{ObjectProperty | rdfs:label@en = assembly @@ -10500,17 +18380,19 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|el|κεφάλαιο υπό διαχείριση}} | rdfs:domain = Company | rdfs:range = Currency -}}OntologyProperty:Assets202569334212014-04-03T14:04:20Z{{DatatypeProperty +}}OntologyProperty:Assets202569590562022-06-21T18:08:38Z{{DatatypeProperty | labels = {{label|en| assets}} {{label|de|Aktiva}} {{label|el|περιουσιακά στοιχεία}} +{{label|ur|اثاثے}} | rdfs:domain = Company | rdfs:range = Currency | comments = {{comment|en| 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. }} {{comment|el|Περιουσιακά στοιχεία και υποχρεώσεις αποτελούν μέρος του ισολογισμού μιας εταιρείας.Σε χρηματοοικονομική λογιστική,τα περιουσιακά στοιχεία είναι οι οικονομικοί πόροι. Οτιδήποτε ενσώματο ή άυλο, που είναι ικανό να ανήκει ή να ελέγχεται για να παράγει αξία και που κατέχεται για να έχει θετική οικονομική αξία θεωρείται ένα περιουσιακό στοιχείο.}} +{{comment|ur|اثاثے اور واجبات کمپنی کی بیلنس شیٹ کا حصہ ہیں۔ مالیاتی اکاؤنٹنگ میں، اثاثے اقتصادی وسائل ہیں۔ کوئی بھی ٹھوس یا غیر محسوس چیز جو قدر پیدا کرنے کے لیے ملکیت یا کنٹرول کرنے کے قابل ہو اور جس کی مثبت اقتصادی قدر ہو اسے اثاثہ سمجھا جاتا ہے۔}} }}OntologyProperty:AssistantPrincipal2023129525762017-10-31T08:26:03Z {{ObjectProperty | labels = @@ -10525,11 +18407,12 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|el|συνεργάτης}} | rdfs:range = Person | rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:AssociateEditor202575358412014-07-08T12:45:19Z +}}OntologyProperty:AssociateEditor202575590582022-06-21T18:30:30Z {{ObjectProperty | labels = {{label|en|associate editor}} {{label|el|συνεργαζόμενος συντάκτης}} + {{label|ur|رفیقه مدیر}} | rdfs:domain = Newspaper | rdfs:range = Person | rdfs:subPropertyOf = dul:coparticipatesWith @@ -10549,11 +18432,12 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:domain = Artist | rdfs:range = Artist | rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:AssociatedBand202572358442014-07-08T12:45:45Z +}}OntologyProperty:AssociatedBand202572590602022-06-21T18:32:26Z {{ObjectProperty | labels = {{label|en|associated band}} {{label|el|συνεργαζόμενο συγκρότημα}} + {{label|ur|منسلک سازینه}} | rdfs:range = Band | rdfs:subPropertyOf = dul:isMemberOf }}OntologyProperty:AssociatedMusicalArtist202573358452014-07-08T12:45:54Z @@ -10571,16 +18455,39 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:domain = LaunchPad | rdfs:range = Rocket | rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:AssociationOfLocalGovernment202576358472014-07-08T12:46:12Z +}}OntologyProperty:AssociationOfLocalGovernment202576590622022-06-21T18:34:21Z {{ObjectProperty | labels = {{label|en|association of local government}} {{label|nl|vereniging van lokale overheden}} {{label|el|συνεργασία της τοπικής αυτοδιοίκησης}} +{{label|ur|مقامی حکومت کی انجمن}} | rdfs:domain = Settlement | rdfs:range = PopulatedPlace | rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:AstrologicalSign2023297358482014-07-08T12:46:20ZAstrologicalSign +}}OntologyProperty:Astrazenca20213128569742022-03-09T10:34:45Z{{DatatypeProperty +| labels = + {{label|en|Astrazenca}} + {{label|fr|Astrazenca}} + {{label|zh|阿斯利康制药}} +| comments = + {{comment|en|AstraZeneca plc is a British-Swedish multinational pharmaceutical and biotechnology company with its headquarters at the Cambridge Biomedical Campus in Cambridge, England.}} + {{comment|fr|AstraZeneca plc est une multinationale pharmaceutique et biotechnologique anglo-suédoise dont le siège social est situé au Cambridge Biomedical Campus à Cambridge, en Angleterre.}} + {{comment|zh|阿斯利康制药公司,是一家由瑞典阿斯特公司(Astra AB)和英国捷利康公司(Zeneca Group PLC)于1999年4月6日合并而成的大型英瑞合资生物制药企业}} + +| rdfs:range = xsd:string +| owl:equivalentProperty = vaccine +| rdfs:domain = owl:Thing +}}OntologyProperty:AstrazencaCumul20213129549152021-08-12T06:34:16Z{{DatatypeProperty +| labels = +{{label|en|AstrazencaCumulativeDoses}} +| comments = + {{comment|en|AstraZeneca plc is a British-Swedish multinational pharmaceutical and biotechnology company with its headquarters at the Cambridge Biomedical Campus in Cambridge, England.}} + {{comment|en|阿斯利康制药公司,是一家由瑞典阿斯特公司(Astra AB)和英国捷利康公司(Zeneca Group PLC)于1999年4月6日合并而成的大型英瑞合资生物制药企业}} +| rdfs:range = xsd:integer +| owl:equivalentProperty = astrazenca +| rdfs:domain = owl:Thing +}}OntologyProperty:AstrologicalSign2023297590512022-06-21T17:57:19ZAstrologicalSign {{ObjectProperty | labels = @@ -10588,6 +18495,7 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|el|αστρολογικό ζώδιο}} {{label|de|Sternzeichen}} {{label|pt|signo astrológico}} +{{label|ur|نشان نجوم}} | rdfs:domain = Person | rdfs:subPropertyOf = dul:isDescribedBy }}OntologyProperty:AtPage2029249334222014-04-03T14:04:24Z{{ DatatypeProperty @@ -10598,19 +18506,23 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:comment@en = Page # where the referenced resource is to be found in the source document | rdfs:domain = Reference | rdfs:range = xsd:string -}}OntologyProperty:AtRowNumber2029250334232014-04-03T14:04:29Z{{ DatatypeProperty +}}OntologyProperty:AtRowNumber2029250567452022-02-28T16:02:48Z{{ DatatypeProperty | labels = -{{label|en|row number}} -{{label|de|Zeilennummer}} -{{label|nl|regelnummer van verwijzing}} -| rdfs:comment@en = Row # where the referenced resource is to be found in the source file + {{label|en|row number}} + {{label|de|Zeilennummer}} + {{label|fr|numéro de ligne}} + {{label|nl|regelnummer van verwijzing}} +| comments = + {{comment|en|Row number where the referenced resource is to be found in the source file}} + {{comment|fr|Numéro de ligne où la ressource référencée doit se trouver dans le fichier source}} | rdfs:domain = Reference | rdfs:range = xsd:string -}}OntologyProperty:AtcCode202579528692018-02-13T10:31:43Z{{DatatypeProperty +}}OntologyProperty:AtcCode202579590472022-06-21T17:53:12Z{{DatatypeProperty | labels = {{label|en|ATC code}} {{label|fr|ATC code}} {{label|el|κώδικας ATC}} +{{label|ur|اے ٹی سی کوڈ}} | rdfs:range = xsd:string | rdfs:subPropertyOf = code }}OntologyProperty:AtcPrefix202577212732012-12-27T23:41:14Z{{DatatypeProperty @@ -10632,21 +18544,24 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@el = αθλητισμός | rdfs:domain = University | rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:AthleticsDiscipline2027843334252014-04-03T14:04:37Z{{ObjectProperty +}}OntologyProperty:AthleticsDiscipline2027843568102022-02-28T22:22:40Z{{ObjectProperty | labels = {{label|en|athletics discipline}} +{{label|fr|discipline athlétique}} {{label|de|Leichtathletikdisziplin}} | rdfs:domain = Athlete | rdfs:range = Athletics -}}OntologyProperty:AtomicNumber20211020453342015-02-14T13:42:39Z{{DatatypeProperty +}}OntologyProperty:AtomicNumber20211020590452022-06-21T17:51:06Z{{DatatypeProperty | labels = {{label|en|atomic number}} {{label|nl|atoomnummer}} {{label|de|Ordnungszahl}} {{label|ga|uimhir adamhach}} {{label|pl|liczba atomowa}} +{{label|ur|جوہری عدد}} | comments = {{comment|en|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<ref>https://en.wikipedia.org/wiki/Atomic_number</ref>}} +{{comment|ur|کسی عنصر کے ایٹموں کی اوسط کمیت کا تناسب (ایک دیے گئے نمونے یا ماخذ سے) کاربن 12 کے ایٹم کے بڑے پیمانے پر}} {{comment|nl|het atoomnummer of atoomgetal (symbool: Z) geeft het aantal protonen in de kern van een atoom aan.<ref>https://nl.wikipedia.org/wiki/Atoomnummer</ref>}} {{comment|de|die Anzahl der Protonen im Atomkern eines chemischen Elements, deshalb auch Protonenzahl.<ref>https://de.wikipedia.org/wiki/Ordnungszahl</ref>}} {{comment|ga|Is eard is uimhir adamhach (Z) adaimh ann ná líon na bprótón i núicléas an adaimh sin<ref>https://ga.wikipedia.org/wiki/Uimhir_adamhach</ref>}} @@ -10681,9 +18596,10 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:domain = Woman | rdfs:range = Person | owl:propertyDisjointWith = Uncle -}}OntologyProperty:AustraliaOpenDouble2027722500902016-01-04T12:51:33Z{{DatatypeProperty +}}OntologyProperty:AustraliaOpenDouble2027722590432022-06-21T17:43:32Z{{DatatypeProperty | labels = {{label|en|australia open double}} +{{label|ur|آسٹریلیا اوپن ڈبل}} | rdfs:domain = TennisPlayer | rdfs:range = xsd:string }}OntologyProperty:AustraliaOpenMixed2027726500912016-01-04T12:52:04Z{{DatatypeProperty @@ -10696,7 +18612,7 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|en|australia open single}} | rdfs:domain = TennisPlayer | rdfs:range = xsd:string -}}OntologyProperty:Author202581537482020-09-30T12:11:20Z{{ObjectProperty +}}OntologyProperty:Author202581590312022-06-21T17:14:46Z{{ObjectProperty | labels = {{label|en|author}} {{label|ca|autor}} @@ -10704,6 +18620,7 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|el|συγγραφέας}} {{label|fr|auteur}} {{label|ga|údar}} +{{label|ur|مصنف}} {{label|ja|作者}} {{label|nl|auteur}} {{label|pl|autor}} @@ -10725,9 +18642,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|en|authority mandate}} | rdfs:domain = Place | rdfs:range = xsd:string -}}OntologyProperty:AuthorityTitle2026924253892013-05-25T10:50:41Z{{DatatypeProperty +}}OntologyProperty:AuthorityTitle2026924590292022-06-21T17:12:07Z{{DatatypeProperty | labels = {{label|en|authority title of a romanian settlement}} +{{label|ur|رومانیہ کی تصفیہ کا اقتدار کا موضوع}} | rdfs:domain = RomaniaSettlement | rdfs:range = xsd:string }}OntologyProperty:AutomobileModel202582334282014-04-03T14:04:52Z{{DatatypeProperty @@ -10769,8 +18687,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|el|μέσος όρος}} {{label|de|Durchschnitt}} | rdfs:range = xsd:double -}}OntologyProperty:AverageAnnualGeneration2029587355132014-06-28T21:59:00Z{{DatatypeProperty +}}OntologyProperty:AverageAnnualGeneration2029587590052022-06-21T10:36:47Z{{DatatypeProperty | rdfs:label@en = average annual gross power generation +|labels={{label|ur|اوسط سالانہ پیداوار}} +|comments={{comment|ur|اوسط سالانہ مجموعی بجلی کی پیداوار}} | rdfs:domain = PowerStation | rdfs:range = Energy | rdf:type = owl:FunctionalProperty @@ -10793,29 +18713,50 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:range = Length | rdfs:subPropertyOf = depth | owl:propertyDisjointWith = maximumDepth -}}OntologyProperty:AverageDepthQuote2027094493242015-10-23T12:49:35Z{{DatatypeProperty +}}OntologyProperty:AverageDepthQuote2027094590032022-06-21T10:25:05Z{{DatatypeProperty | labels = {{label|en|average depth quote}} +{{label|ur|اوسط گہرائی اقتباس}} | comments = {{comment|en|Source of the {{linkProperties|averageDepth|}} value.}} | rdfs:domain = Place | rdfs:range = xsd:string -}}OntologyProperty:AverageSpeed202584210422012-12-26T10:46:18Z{{DatatypeProperty +}}OntologyProperty:AverageSpeed202584569942022-03-09T12:06:11Z{{DatatypeProperty |labels= -{{label|en|average speed}} -{{label|de|Durchschnittsgeschwindigkeit}} -{{label|el|μέση ταχύτητα}} + {{label|en|average speed}} + {{label|fr|vitesse moyenne}} + {{label|de|Durchschnittsgeschwindigkeit}} + {{label|el|μέση ταχύτητα}} | rdfs:domain = owl:Thing | rdfs:range = Speed |comments= {{comment|en|The average speed of a thing.}} +{{comment|fr|Vitesse moyenne du déplacement d'un objet.}} {{comment|el|Η μέση ταχύτητα ενός πράγματος.}} +}}OntologyProperty:AvgRevSizePerMonth20214284591332022-12-02T11:59:17Z{{DatatypeProperty +| labels = +{{label|en| Average size of the revision per month }} +{{label|fr| Taille moyenne des révisions par mois}} +| comments = +{{comment|en| used for DBpedia History > Subject must be a blank node containing a dc:date and a rdfs:value }} +{{comment|fr| utilisé par DBpedia Historique > Le sujet de cette relation doit être un noeud blanc contenant une dc:date et une rdfs:value }} +| rdfs:domain = prov:Entity +| rdfs:range = xsd:anyURI +}}OntologyProperty:AvgRevSizePerYear20214285591322022-12-02T11:59:04Z{{DatatypeProperty +| labels = +{{label|en| Average size of the revision per year }} +{{label|fr| Taille moyenne des révisions par année}} +| comments = +{{comment|en| used for DBpedia History > Subject must be a blank node containing a dc:date and a rdfs:value }} +{{comment|fr| utilisé par DBpedia Historique > Le sujet de cette relation doit être un noeud blanc contenant une dc:date et une rdfs:value }} +| rdfs:domain = prov:Entity +| rdfs:range = xsd:anyURI }}OntologyProperty:AvifaunaPopulation2027102256262013-05-26T13:38:35Z{{DatatypeProperty | labels = {{label|en|avifauna population}} | rdfs:domain = Place | rdfs:range = xsd:string -}}OntologyProperty:Award202585537112020-09-04T15:42:21Z{{ObjectProperty +}}OntologyProperty:Award202585590012022-06-21T10:21:51Z{{ObjectProperty | labels = {{label|en|award}} {{label|nl|onderscheiding}} @@ -10823,6 +18764,7 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|el|διακρίσεις}} {{label|de|Auszeichnung}} {{label|ja|受賞}} + {{label|ur|انعام}} | rdfs:range = Award | rdfs:comment@en = Award won by a Person, Musical or other Work, RaceHorse, Building, etc | owl:equivalentProperty = schema:awards , wikidata:P166, rkd:Award @@ -10880,16 +18822,17 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:domain = Artist | rdfs:range = Award | rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:Band202589334432014-04-03T14:09:56Z{{DatatypeProperty +}}OntologyProperty:Band202589573442022-03-31T11:16:07Z{{DatatypeProperty |labels= -{{label|en|band}} -{{label|el|μπάντα}} + {{label|en|band}} + {{label|fr|bande}} + {{label|el|μπάντα}} | rdfs:domain = Protein | rdfs:range = xsd:string -}}OntologyProperty:BandMember2024346358572014-07-08T12:47:49Z -{{ObjectProperty +}}OntologyProperty:BandMember2024346573432022-03-31T11:12:33Z{{ObjectProperty | labels = {{label|en|band member}} + {{label|fr|membre de groupe de musique}} {{label|de|Bandmitglied}} {{label|nl|bandlid}} {{label|el|μέλος μπάντας}} @@ -10897,6 +18840,7 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:range = Person | comments = {{comment|en|A member of the band.}} + {{comment|fr|Un membre du groupe de musique.}} {{comment|el|Ένα μέλος της μπάντας.}} | rdfs:subPropertyOf = dul:hasMember }}OntologyProperty:BarPassRate202590210472012-12-26T11:32:45Z{{DatatypeProperty @@ -10910,13 +18854,15 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|en|barangays}} | rdfs:domain = PopulatedPlace | rdfs:range = xsd:string -}}OntologyProperty:BasedOn202591475042015-04-02T11:13:32Z{{ObjectProperty -| rdfs:label@en = based on -| rdfs:label@de = basierend auf -| rdfs:label@el = βασισμένο σε -| rdfs:label@ga = bunaithe ar -| rdfs:label@nl = op basis van -| rdfs:label@pl = na podstawie +}}OntologyProperty:BasedOn202591574212022-04-17T20:35:24Z{{ObjectProperty +| labels = + {{label|en|based on}} + {{label|fr|basé sur}} + {{label|de|basierend auf}} + {{label|el|βασισμένο σε}} + {{label|ga|bunaithe ar}} + {{label|nl|op basis van}} + {{label|pl|na podstawie}} | rdfs:domain = Work | rdfs:range = Work | rdfs:subPropertyOf = dul:coparticipatesWith @@ -10938,9 +18884,10 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:domain = Athlete | rdfs:range = xsd:string | rdfs:comment = The side the player bats, Left, Right, or Unknown. -}}OntologyProperty:Battle202593475392015-04-03T08:43:57Z{{ObjectProperty +}}OntologyProperty:Battle202593569952022-03-09T12:07:13Z{{ObjectProperty | labels = {{label|en|battle}} + {{label|fr|bataille}} {{label|nl|veldslag}} {{label|de|Schlacht}} | rdfs:range = MilitaryConflict @@ -10960,24 +18907,26 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:range = xsd:string | comments = {{comment|en|For 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/).}} -}}OntologyProperty:BeatifiedBy202595358602014-07-08T12:48:13Z -{{ObjectProperty +}}OntologyProperty:BeatifiedBy202595567582022-02-28T17:19:34Z{{ObjectProperty | labels = {{label|en|beatified by}} {{label|nl|zalig verklaard door}} + {{label|fr|béatifié par}} | rdfs:domain = Saint | rdfs:range = Person | rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:BeatifiedDate202596223292013-01-11T19:41:50Z{{DatatypeProperty +}}OntologyProperty:BeatifiedDate202596567572022-02-28T17:18:21Z{{DatatypeProperty | labels = -{{label|en|beatified date}} -{{label|nl|zalig verklaard datum}} + {{label|en|beatified date}} + {{label|fr|date de béatification}} + {{label|nl|zalig verklaard datum}} | rdfs:domain = Saint | rdfs:range = xsd:date -}}OntologyProperty:BeatifiedPlace202597358612014-07-08T12:48:21Z +}}OntologyProperty:BeatifiedPlace202597568342022-03-01T00:40:25Z {{ObjectProperty | labels = {{label|en|beatified place}} + {{label|fr|lieu béatifié}} {{label|nl|zalig verklaard plaats}} | rdfs:domain = Saint | rdfs:range = PopulatedPlace @@ -11054,12 +19003,16 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:range = xsd:string | owl:equivalentProperty = wikidata:P1015 | rdfs:subPropertyOf = code -}}OntologyProperty:BicycleInformation2023236120592011-04-07T16:03:53Z{{DatatypeProperty -| rdfs:label@en = bicycle information -| rdfs:label@de = Fahrradinformationen +}}OntologyProperty:BicycleInformation2023236568652022-03-01T20:34:25Z{{DatatypeProperty +| labels = + {{label|en|bicycle information}} + {{label|fr|information vélos}} + {{label|de|Fahrradinformationen}} | rdfs:domain = Station | rdfs:range = xsd:string -| rdfs:comment@en = Information on station's bicycle facilities. +| comments = + {{comment|en|Information on station's bicycle facilities.}} + {{comment|fr|Information concernant les facilités de la gare pour les vélos.}} }}OntologyProperty:BigPoolRecord2027759270472013-07-04T14:46:43Z{{DatatypeProperty | labels = {{label|en|big pool record}} @@ -11077,13 +19030,16 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:domain = Wrestler | rdfs:range = PopulatedPlace | rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:Binomial202601358672014-07-08T12:49:22Z -{{ObjectProperty +}}OntologyProperty:Binomial202601573472022-03-31T11:29:37Z{{ObjectProperty | labels = {{label|en|binomial}} + {{label|fr|binomial}} {{label|de|Doppelbenennung}} {{label|el|διωνυμικός}} {{label|ja|学名}} +| comments = + {{comment|en|used to name species with a name consisting of two words.}} + {{comment|fr|sert à nommer les espèces avec un nom composé de deux mots.}} | rdfs:domain = Species | rdfs:subPropertyOf = dul:sameSettingAs }}OntologyProperty:BinomialAuthority202602358682014-07-08T12:49:31Z @@ -11109,18 +19065,21 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@en = biome | rdfs:label@ja = 生物群系 | rdfs:subPropertyOf = dul:isClassifiedBy -}}OntologyProperty:Bird2027136474312015-04-01T14:06:17Z{{ObjectProperty +}}OntologyProperty:Bird2027136567592022-02-28T17:26:05Z{{ObjectProperty | labels = {{label|en|bird}} -{{label|de|Vogel}} + {{label|de|Vogel}} {{label|el|πτηνά}} {{label|ga|éan}} {{label|pl|ptak}} + {{label|fr|oiseau}} | comments = + {{comment|en|Birds are uniformly vertebrate animals, the vast majority of which can fly with their wings.}} + {{comment|fr|Les oiseaux sont uniformément des animaux vertébrés, dont la grande majorité peut voler avec leurs ailes.}} {{comment|el|Τα πτηνά είναι ζώα ομοιόθερμα σπονδυλωτά, που στη συντριπτική πλειονότητα τους μπορούν να πετούν με τις πτέρυγες ή φτερούγες τους.}} | rdfs:domain = Place | rdfs:range = Species -}}OntologyProperty:BirthDate202604537782020-10-20T14:14:28Z{{DatatypeProperty +}}OntologyProperty:BirthDate202604560802021-10-02T16:36:26Z{{DatatypeProperty | labels = {{label|en|birth date}} {{label|bn|জন্মদিন}} @@ -11132,7 +19091,7 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|生年月日}} {{label|nl|geboortedatum}} {{label|pl|data urodzenia}} -| rdfs:domain = Person +| rdfs:domain = Animal | rdfs:range = xsd:date | rdf:type = owl:FunctionalProperty | owl:equivalentProperty = schema:birthDate, wikidata:P569, gnd:dateOfBirth @@ -11147,7 +19106,7 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:domain = Person | rdfs:range = rdf:langString | owl:equivalentProperty = wikidata:P1477 -}}OntologyProperty:BirthPlace202606536682020-07-30T21:21:25Z{{ObjectProperty +}}OntologyProperty:BirthPlace202606560812021-10-02T16:37:23Z{{ObjectProperty | labels = {{label|en|birth place}} {{label|ca|lloc de naixement}} @@ -11160,7 +19119,7 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|pl|miejsce urodzenia}} | comments = {{comment|en|where the person was born}} -| rdfs:domain = Person +| rdfs:domain = Animal | rdfs:range = Place | owl:equivalentProperty = schema:birthPlace, wikidata:P19 | rdfs:subPropertyOf = dul:hasLocation @@ -11185,14 +19144,16 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@bg = архиерейско наместничество | rdfs:domain = ReligiousBuilding | rdfs:comment@en = A bishopric (diocese or episcopal see) is a district under the supervision of a bishop. It is divided into parishes. Compare with eparchy -}}OntologyProperty:BlackLongDistancePisteNumber2027200257502013-06-01T13:24:10Z{{DatatypeProperty +}}OntologyProperty:BlackLongDistancePisteNumber2027200573422022-03-31T11:08:37Z{{DatatypeProperty | labels = -{{label|en|long distance piste number}} + {{label|en|long distance piste number}} + {{label|fr|numéro de piste noire longue distance}} | rdfs:domain = Place | rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:BlackSkiPisteNumber2027193257432013-06-01T13:21:02Z{{DatatypeProperty +}}OntologyProperty:BlackSkiPisteNumber2027193570012022-03-09T12:20:00Z{{DatatypeProperty | labels = -{{label|en|black ski piste number}} + {{label|en|black ski piste number}} + {{label|fr|numéro de piste de ski noire}} | rdfs:domain = Place | rdfs:range = xsd:nonNegativeInteger }}OntologyProperty:Blazon2026775510752016-05-12T16:55:42Z{{DatatypeProperty @@ -11230,17 +19191,18 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|el|κράμα μετάλλου}} | rdfs:domain = AutomobileEngine | rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:BloodGroup2027771367552014-07-09T10:18:15Z{{DatatypeProperty +}}OntologyProperty:BloodGroup2027771569992022-03-09T12:17:25Z{{DatatypeProperty | labels = -{{label|en|blood group}} -{{label|el|ομάδα αίματος}} -{{label|de|Blutgruppe}} + {{label|en|blood group}} + {{label|fr|groupe sanguin}} + {{label|el|ομάδα αίματος}} + {{label|de|Blutgruppe}} | rdfs:domain = Person | rdfs:range = xsd:string -}}OntologyProperty:BloodType2023295358722014-07-08T12:50:17Z -{{ObjectProperty +}}OntologyProperty:BloodType2023295573412022-03-31T11:05:36Z{{ObjectProperty | labels = {{label|en|blood type}} + {{label|fr|groupe sanguin}} {{label|el|ομάδα αίματος}} {{label|de|Blutgruppe}} {{label|pt|tipo sanguíneo}} @@ -11253,9 +19215,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|en|blue long distance piste number}} | rdfs:domain = Place | rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:BlueSkiPisteNumber2027195257452013-06-01T13:21:54Z{{DatatypeProperty +}}OntologyProperty:BlueSkiPisteNumber2027195570022022-03-09T12:20:43Z{{DatatypeProperty | labels = -{{label|en|blue ski piste number}} + {{label|en|blue ski piste number}} + {{label|fr|numéro de piste de ski bleue}} | rdfs:domain = Place | rdfs:range = xsd:nonNegativeInteger }}OntologyProperty:BnfId2028423528712018-02-13T10:34:40Z{{DatatypeProperty @@ -11294,18 +19257,18 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|el|τύπος σώματος}} | rdfs:domain = Automobile | rdfs:subPropertyOf = dul:isDescribedBy -}}OntologyProperty:Boiler2022539358762014-07-08T12:50:50Z -{{ObjectProperty +}}OntologyProperty:Boiler2022539573392022-03-31T11:01:54Z{{ObjectProperty | labels = {{label|en|boiler}} + {{label|fr|chaudière}} {{label|de|Kessel}} {{label|el|δοχείο βράσης}} | rdfs:domain = Locomotive | rdfs:subPropertyOf = dul:hasComponent -}}OntologyProperty:BoilerPressure2022540358772014-07-08T12:50:58Z -{{ObjectProperty +}}OntologyProperty:BoilerPressure2022540573402022-03-31T11:03:56Z{{ObjectProperty | labels = {{label|en|boiler pressure}} + {{label|fr|pression de la chaudière}} {{label|de|Kesseldruck}} {{label|el|πίεση δοχείου βράσης}} | rdfs:domain = Locomotive @@ -11347,10 +19310,10 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:domain = PopulatedPlace | rdfs:range = PopulatedPlace | rdfs:subPropertyOf = dul:hasLocation -}}OntologyProperty:Bourgmestre2026967358812014-07-08T12:51:31Z -{{ObjectProperty +}}OntologyProperty:Bourgmestre2026967573572022-03-31T12:01:41Z{{ObjectProperty | labels = {{label|en|bourgmestre}} + {{label|fr|bourgmestre}} | rdfs:domain = Settlement | rdfs:range = Person | rdfs:subPropertyOf = dul:sameSettingAs @@ -11391,18 +19354,19 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|el|τύπος νοητικής πληροφόρησης}} | rdfs:domain = Brain | rdfs:range = xsd:string -}}OntologyProperty:BranchFrom202621358822014-07-08T12:51:39Z -{{ObjectProperty +}}OntologyProperty:BranchFrom202621573512022-03-31T11:42:55Z{{ObjectProperty | labels = {{label|en|branch from}} + {{label|fr|vient de}} {{label|el|παράρτημα από}} | rdfs:domain = AnatomicalStructure | rdfs:range = AnatomicalStructure | rdfs:subPropertyOf = dul:hasCommonBoundary -}}OntologyProperty:BranchTo202623358832014-07-08T12:51:57Z -{{ObjectProperty -| rdfs:label@en = branch to -| rdfs:label@el = υποκατάστημα +}}OntologyProperty:BranchTo202623573502022-03-31T11:42:24Z{{ObjectProperty +| labels = + {{label|en|branch to}} + {{label|fr|va vers}} + {{label|el|υποκατάστημα}} | rdfs:domain = AnatomicalStructure | rdfs:range = AnatomicalStructure | rdfs:subPropertyOf = dul:hasCommonBoundary @@ -11453,11 +19417,12 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|en|british wins}} | rdfs:domain = Person | rdfs:range = skos:Concept -}}OntologyProperty:BroadcastArea202626358872014-07-08T12:52:31Z -{{ObjectProperty -| rdfs:label@en = broadcast area -| rdfs:label@de = Empfangsgebiet -| rdfs:label@el = περιοχή αναμετάδοσης +}}OntologyProperty:BroadcastArea202626573522022-03-31T11:46:13Z{{ObjectProperty +| labels = + {{label|en|broadcast area}} + {{label|fr|couverture de diffusion}} + {{label|de|Empfangsgebiet}} + {{label|el|περιοχή αναμετάδοσης}} | rdfs:domain = Broadcaster | rdfs:range = PopulatedPlace | rdfs:subPropertyOf = dul:hasLocation @@ -11473,12 +19438,16 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:comment@en = The parent broadcast network to which the broadcaster belongs. | rdfs:comment@de = Die Sendergruppe zu dem der Rundfunkveranstalter gehört. | rdfs:subPropertyOf = dul:isMemberOf -}}OntologyProperty:BroadcastRepeater2023083217402013-01-03T17:01:23Z{{DatatypeProperty -| rdfs:label@en = broadcast repeater -| rdfs:label@el = επαναληπτική αναμετάδοση +}}OntologyProperty:BroadcastRepeater2023083573562022-03-31T11:59:32Z{{DatatypeProperty +| labels = + {{label|en|broadcast repeater}} + {{label|fr|répéteur de diffusion}} + {{label|el|επαναληπτική αναμετάδοση}} +| comments = + {{comment|en|A repeater is an electronic device that receives a signal and retransmits it at a higher level and/or higher power, or onto the other side of an obstruction, so that the signal can cover longer distances (http://en.wikipedia.org/wiki/Repeater).}} + {{comment|fr|Un répéteur est un équipement électronique qui reçoit un signal et le retransmet avec un niveau supérieur et/ou à une puissance plus grande, ou après un obstacle de sorte à ce que le signal puisse couvrir des distances plus grandes (https://fr.wikipedia.org/wiki/Répéteur).}} | rdfs:domain = Broadcaster | rdfs:range = xsd:string -| rdfs:comment@en = A repeater is an electronic device that receives a signal and retransmits it at a higher level and/or higher power, or onto the other side of an obstruction, so that the signal can cover longer distances (http://en.wikipedia.org/wiki/Repeater). }}OntologyProperty:BroadcastStationClass2023086217412013-01-03T17:04:23Z{{DatatypeProperty | rdfs:label@en = broadcast station class | rdfs:label@el = αναμετάδοση ραδιοφωνικού σταθμού @@ -11509,9 +19478,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{comment|el|Ο ραδιοτηλεοπτικός φορέας είναι ένας οργανισμός που είναι υπεύθυνος για την παραγωγή ραδιοφωνικών ή τηλεοπτικών προγραμμάτων και / ή τη διαβίβασή τους}} {{comment|de|Ein Rundfunkveranstalter (oder auch Sendeunternehmen) betreibt Hörfunk- oder Fernsehprogramme. (http://de.wikipedia.org/wiki/Rundfunkveranstalter - 28/03/2011)}} | owl:equivalentClass = wikidata:Q15265344 -}}OntologyProperty:BronzeMedalDouble2027735500952016-01-04T12:54:27Z{{DatatypeProperty +}}OntologyProperty:BronzeMedalDouble2027735567142022-02-28T13:37:59Z{{DatatypeProperty | labels = {{label|en|bronze medal double}} +{{label|fr|double médaille de bronze}} {{label|de|Bronzemedaille Doppel}} | rdfs:domain = TennisPlayer | rdfs:range = xsd:string @@ -11527,22 +19497,25 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|de|Bronzemedaille Einzel}} | rdfs:domain = TennisPlayer | rdfs:range = xsd:string -}}OntologyProperty:BronzeMedalist2025668358892014-07-08T12:52:48Z +}}OntologyProperty:BronzeMedalist2025668568022022-02-28T21:54:35Z {{ObjectProperty -| rdfs:label@en = bronze medalist -| rdfs:label@de = Bronzemedaillengewinner -| rdfs:label@pt = medalha de bronze -| rdfs:label@el = χάλκινο μετάλλιο -| rdfs:label@nl = bronzen medaille drager +| labels = + {{label|en|bronze medalist}} + {{label|fr|médaille de bronze}} + {{label|de|Bronzemedaillengewinner}} + {{label|pt|medalha de bronze}} + {{label|el|χάλκινο μετάλλιο}} + {{label|nl|bronzen medaille drager}} | rdfs:domain = SportsEvent | rdfs:range = Person | rdfs:subPropertyOf = Medalist, dul:hasParticipant -}}OntologyProperty:Brother20212286535782020-01-30T10:04:00Z{{ObjectProperty +}}OntologyProperty:Brother20212286567152022-02-28T13:39:49Z{{ObjectProperty | labels = {{label|en|brother}} {{label|nl|broer}} {{label|de|Bruder}} {{label|el|αδελφός}} + {{label|fr|frère}} {{label|ja|兄}} {{label|ar|شقيق}} | rdfs:domain = Man @@ -11580,10 +19553,14 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:domain = Island | rdfs:range = Building | rdfs:subPropertyOf = dul:isLocationOf -}}OntologyProperty:BuildingEndDate202630486992015-08-10T10:23:21Z{{DatatypeProperty -| rdfs:label@en = building end date -| rdfs:label@el = Ημερομηνία λήξης κατασκευής -| rdfs:comment@en = 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 +}}OntologyProperty:BuildingEndDate202630567232022-02-28T14:27:07Z{{DatatypeProperty +| labels = +{{label|en|building end date}} +{{label|el|Ημερομηνία λήξης κατασκευής}} +{{label|fr|date de fin de construction}} +| comments = +{{comment|en|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}} +{{comment|fr|Date de fin de construction d'une structure architecturale, d'un lac artificiel, etc. Pour les structures plus anciennes cela peut être simplement une année ou un siècle, pour les structures plus récentes il est préférable de donner la date exacte}} | rdfs:range = xsd:string }}OntologyProperty:BuildingEndYear2023387217222013-01-03T16:26:25Z{{DatatypeProperty | labels = @@ -11592,14 +19569,19 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|el|έτος λήξης κατασκευής}} | rdfs:domain = ArchitecturalStructure | rdfs:range = xsd:gYear -}}OntologyProperty:BuildingStartDate202631487002015-08-10T10:23:45Z{{DatatypeProperty -| rdfs:label@en = building start date -| rdfs:label@el = Ημερομηνία έναρξης κατασκευής -| rdfs:comment@en = 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 +}}OntologyProperty:BuildingStartDate202631567212022-02-28T14:16:28Z{{DatatypeProperty +| labels = +{{label|en|building start date}} +{{label|fr|date de début de construction}} +{{label|el|Ημερομηνία έναρξης κατασκευής}} +| comments = +{{comment|en|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}} +{{comment|fr|Date de début de construction d'une structure architecturale, d'un lac artificiel, etc. Pour des structures plus anciennes cela peut être simplement l'année ou le siècle, pour les structures plus récentes il est préférable de donner la date exacte}} | rdfs:range = xsd:string -}}OntologyProperty:BuildingStartYear2023388217202013-01-03T16:24:35Z{{DatatypeProperty +}}OntologyProperty:BuildingStartYear2023388568262022-03-01T00:25:15Z{{DatatypeProperty | labels = {{label|en|building start year}} +{{label|fr|année du début de construction}} {{label|nl|bouw start jaar}} {{label|el|έτος έναρξης κατασκευής}} | rdfs:domain = ArchitecturalStructure @@ -11633,49 +19615,66 @@ A hormone is any member of a class of signaling molecules produced by glands in |rdfs:domain=Person |rdfs:range=xsd:string |rdfs:comment@en=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 -}}OntologyProperty:CableCar2027188334742014-04-03T14:42:11Z{{DatatypeProperty +}}OntologyProperty:CableCar2027188589642022-06-21T05:51:39Z{{DatatypeProperty | labels = {{label|en|cable car}} {{label|de|Drahtseilbahn}} +{{label|ur|طَنابی گاڑی}} | rdfs:domain = Place | rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:CalculationNeeds20211769518102017-01-06T15:33:41Z +}}OntologyProperty:CalculationNeeds20211769589692022-06-21T06:00:29Z {{ObjectProperty | rdfs:label@en = its calculation needs +|labels= +{{label|ur|حساب کی ضرورت}} | rdfs:label@ru = вычисление требует | rdfs:domain = owl:Thing | rdfs:range = owl:Thing -}}OntologyProperty:CallSign202632335242014-04-03T15:06:17Z{{DatatypeProperty +}}OntologyProperty:CallSign202632589702022-06-21T06:06:11Z{{DatatypeProperty | rdfs:label@en = call sign | rdfs:label@pt = indicativo de chamada +|labels= +{{label|ur|تعارفی نشان}} | rdfs:range = xsd:string | rdfs:comment@en = A 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. | rdfs:comment@pt = 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. -}}OntologyProperty:CallsignMeaning202633114222011-03-31T13:18:22Z{{DatatypeProperty +|comments={{comment|ur|تعارفی نشان (جسے کال کا نام یا کال لیٹر بھی کہا جاتا ہے، یا مختصراً کال کے طور پر جانا جاتا ہے) ٹرانسمیٹنگ اسٹیشن کے لیے ایک منفرد عہدہ ہے۔}} +}}OntologyProperty:CallsignMeaning202633589752022-06-21T06:11:50Z{{DatatypeProperty | rdfs:label@en = call sign meaning +|labels= +{{label|ur|تعارفی علامت کا مطلب}} | rdfs:domain = Broadcaster | rdfs:range = xsd:string | rdfs:comment@en = The out written call sign. -}}OntologyProperty:Campus202634358942014-07-08T12:53:34Z -{{ObjectProperty +|comments={{comment|ur|باہر لکھا ہوا کال سائن۔}} +}}OntologyProperty:Campus202634589822022-06-21T06:18:10Z{{ObjectProperty | labels = {{label|en|campus}} + {{label|fr|campus}} {{label|de|Campus}} {{label|el|πανεπιστημιούπολη}} + {{label|ur|جامع کا علقه}} | comments = + {{comment|en|Campus means any urban complex that offers residential, teaching and research facilities to the students of a university.}} + {{comment|fr|Tout complexe urbain qui offre des installations résidentielles, d'enseignement et de recherche aux étudiants d'une université.}} {{comment|el|Πανεπιστημιούπολη εννοείται κάθε πολεοδομικό συγκρότημα που προσφέρει οικιστικές, διδακτικές και ερευνητικές διευκολύνσεις στους φοιτητές ενός πανεπιστημίου.}} + {{comment|ur|جامع کا علقه کا مطلب ہے کوئی بھی شہری جامع کا علقه جو جامع کے طلباء کو رہائشی، تدریسی اور تحقیقی سہولیات فراہم کرتا ہے۔}} | rdfs:domain = University | rdfs:subPropertyOf = dul:hasLocation -}}OntologyProperty:CampusSize20263778942010-05-28T12:50:23Z{{DatatypeProperty +}}OntologyProperty:CampusSize202637589842022-06-21T06:27:06Z{{DatatypeProperty | rdfs:label@en = campus size | rdfs:domain = School | rdfs:range = Area -}}OntologyProperty:CampusType202638525782017-10-31T08:28:01Z{{DatatypeProperty + +|labels={{label|ur|جامعہ کا ناپ}} +}}OntologyProperty:CampusType202638589862022-06-21T06:37:46Z{{DatatypeProperty | rdfs:label@en = campus type +|labels={{label|ur|جامعہ کی قسم}} | rdfs:domain = EducationalInstitution | rdfs:range = rdf:langString -}}OntologyProperty:CanBaggageChecked2023237120602011-04-07T16:08:26Z{{DatatypeProperty +}}OntologyProperty:CanBaggageChecked2023237589882022-06-21T06:40:09Z{{DatatypeProperty | rdfs:label@en = can baggage checked +|labels={{label|ur|سامان کی جانچ پڑتال کر سکتے ہیں}} | rdfs:label@de = Gepäckkontrolle möglich | rdfs:domain = Station | rdfs:range = xsd:boolean @@ -11685,25 +19684,26 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|en|cannon number}} | rdfs:domain = Place | rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:CanonizedBy202639358952014-07-08T12:53:42Z -{{ObjectProperty +}}OntologyProperty:CanonizedBy202639570042022-03-09T12:25:30Z{{ObjectProperty | labels = {{label|en|canonized by}} + {{label|fr|canonisé par}} {{label|nl|heilig verklaard door}} | rdfs:domain = Saint | rdfs:range = Person | rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:CanonizedDate202640223362013-01-11T19:46:40Z{{DatatypeProperty +}}OntologyProperty:CanonizedDate202640570052022-03-09T12:26:23Z{{DatatypeProperty | labels = -{{label|en|canonized date}} -{{label|nl|heiligverklaring datum}} + {{label|en|canonized date}} + {{label|fr|date de canonisation}} + {{label|nl|heiligverklaring datum}} | rdfs:domain = Saint | rdfs:range = xsd:date -}}OntologyProperty:CanonizedPlace202641358962014-07-08T12:53:50Z -{{ObjectProperty +}}OntologyProperty:CanonizedPlace202641570062022-03-09T12:27:25Z{{ObjectProperty | labels = - {{label|en|canonized place}} - {{label|nl|heiligverklaring plaats}} + {{label|en|canonized place}} + {{label|fr|lieu de canonisation}} + {{label|nl|heiligverklaring plaats}} | rdfs:domain = Saint | rdfs:range = PopulatedPlace | rdfs:subPropertyOf = dul:coparticipatesWith @@ -11789,8 +19789,10 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:domain = Island | rdfs:range = PopulatedPlace | rdfs:subPropertyOf = dul:hasLocation -}}OntologyProperty:CaptureDate2023102116472011-04-02T10:50:02Z{{DatatypeProperty -| rdfs:label@en=capture date +}}OntologyProperty:CaptureDate2023102567392022-02-28T15:36:15Z{{DatatypeProperty +| labels = + {{label|en|capture date}} + {{label|fr|date de capture}} | rdfs:domain = Ship | rdfs:range = xsd:date }}OntologyProperty:CarNumber20265779042010-05-28T12:51:43Z{{DatatypeProperty @@ -11887,9 +19889,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl|horeca}} | rdfs:domain = Infrastructure | rdfs:range = Caterer -}}OntologyProperty:CatholicPercentage2027311260602013-06-14T11:47:36Z{{DatatypeProperty +}}OntologyProperty:CatholicPercentage2027311570112022-03-09T12:38:27Z{{DatatypeProperty | labels = -{{label|en|catholic percentage}} + {{label|en|catholic percentage}} + {{label|fr|pourcentage catholique}} | rdfs:domain = PopulatedPlace | rdfs:range = xsd:string }}OntologyProperty:Causalties20266079072010-05-28T12:52:07Z{{DatatypeProperty @@ -11923,10 +19926,14 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:domain = School | rdfs:range = xsd:string | rdfs:subPropertyOf = code -}}OntologyProperty:Ceiling20211316487942015-09-05T09:54:48Z{{DatatypeProperty -| rdfs:label@en = ceiling -| rdfs:label@nl = dienstplafond -| rdfs:comment@en = Maximum distance to the earth surface, to be expressed in kilometers +}}OntologyProperty:Ceiling20211316570072022-03-09T12:30:51Z{{DatatypeProperty +| labels = + {{label|en|ceiling}} + {{label|fr|plafond}} + {{label|nl|dienstplafond}} +| comments = + {{comment|en|Maximum distance to the earth surface, to be expressed in kilometers}} + {{comment|fr|Distance maximale jusqu'à la surface de la terre, exprimé en kilomètres}} | rdfs:domain = Aircraft | rdfs:range = xsd:positiveInteger }}OntologyProperty:Cemetery2029343329822014-03-26T11:54:02Z{{ObjectProperty @@ -11946,9 +19953,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|es|año de censo}} | rdfs:domain = PopulatedPlace | rdfs:range = xsd:gYear -}}OntologyProperty:Center2026915253772013-05-24T22:25:58Z{{DatatypeProperty +}}OntologyProperty:Center2026915570082022-03-09T12:32:03Z{{DatatypeProperty | labels = -{{label|en|norwegian center}} + {{label|en|norwegian center}} + {{label|fr|centre norvégien}} | rdfs:domain = NorwaySettlement | rdfs:range = xsd:string }}OntologyProperty:CenturyBreaks2023539126732011-05-07T13:44:11Z{{DatatypeProperty @@ -11987,9 +19995,13 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:domain = Artist | rdfs:range = Award | rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:ChEBI2025869191402012-07-31T12:54:37Z{{DatatypeProperty -| rdfs:label@en = ChEBI -| rdfs:comment@en = A unique identifier for the drug in the Chemical Entities of Biological Interest (ChEBI) ontology +}}OntologyProperty:ChEBI2025869567952022-02-28T21:38:48Z{{DatatypeProperty +| labels = + {{label|en|ChEBI}} + {{label|fr|ChEBI}} +| comments = + {{comment|en|A unique identifier for the drug in the Chemical Entities of Biological Interest (ChEBI) ontology}} + {{comment|fr|Identifiant unique de la drogue dans l'ontologie des Chemical Entities of Biological Interest (ChEBI)}} | rdfs:domain = Drug | rdfs:range = xsd:string }}OntologyProperty:ChEMBL20211922524002017-10-15T13:46:45Z{{DatatypeProperty @@ -11997,12 +20009,15 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:comment@en = ChEMBL is a manually curated chemical database of bioactive molecules with drug-like properties. | rdfs:domain = ChemicalSubstance | rdfs:range = xsd:string -}}OntologyProperty:Chain2022516526112017-10-31T11:55:23Z -{{ObjectProperty -| rdfs:label@en = chain -| rdfs:label@de = Kette -| rdfs:label@el = αλυσίδα -| rdfs:comment@en = The (business) chain this instance is associated with. +}}OntologyProperty:Chain2022516570102022-03-09T12:37:00Z{{ObjectProperty +| labels = + {{label|en|chain}} + {{label|en|chaîne}} + {{label|de|Kette}} + {{label|el|αλυσίδα}} +| comments = + {{comment|en|The (business) chain this instance is associated with.}} + {{comment|fr|Chaîne (commerciale) à laquelle cette instance est associée.}} | rdfs:range = Company | rdfs:subPropertyOf = dul:isMemberOf }}OntologyProperty:ChairLabel2023118359122014-07-08T12:56:26Z @@ -12133,12 +20148,14 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@de = Kanzler | rdfs:range = Person | rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:Channel202671359242014-07-08T12:58:16Z +}}OntologyProperty:Channel202671567602022-02-28T17:29:35Z {{ObjectProperty -| rdfs:label@en = channel -| rdfs:label@de = Kanal -| rdfs:label@el = κανάλι -| rdfs:label@nl = kanaal +| labels = + {{label|en|channel}} + {{label|de|Kanal}} + {{label|fr|canal}} + {{label|el|κανάλι}} + {{label|nl|kanaal}} | rdfs:range = Broadcaster | rdfs:subPropertyOf = dul:coparticipatesWith }}OntologyProperty:Chaplain202672525812017-10-31T08:31:13Z @@ -12169,10 +20186,18 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:comment@en = identifier in a free chemical database, owned by the Royal Society of Chemistry | rdfs:domain = ChemicalSubstance | rdfs:range = xsd:string -}}OntologyProperty:ChemicalFormula20211925524042017-10-15T14:12:55Z{{DatatypeProperty -| rdfs:label@en = chemical formula +}}OntologyProperty:ChemicalFormula20211925572842022-03-30T13:38:11Z{{DatatypeProperty +| labels = + {{label|en|chemical formula}} + {{label|fr|formule chimique}} | rdfs:domain = ChemicalSubstance | rdfs:range = xsd:string +}}OntologyProperty:Chief20214260590832022-10-09T19:19:58Z{{ObjectProperty +| labels = + {{label|en|chief}} + {{label|fr|chef}} +| rdfs:range = Chief +| rdfs:subPropertyOf = Leader }}OntologyProperty:ChiefEditor202673359272014-07-08T12:58:41Z {{ObjectProperty | labels = @@ -12188,9 +20213,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|en|chief place}} | rdfs:range = PopulatedPlace | rdfs:subPropertyOf = dul:hasLocation -}}OntologyProperty:Child202674535982020-02-17T07:44:43Z{{ObjectProperty +}}OntologyProperty:Child202674570122022-03-09T12:40:36Z{{ObjectProperty | labels = {{label|en|child}} + {{label|fr|enfant}} {{label|nl|kind}} {{label|de|Kind}} {{label|el|παιδί}} @@ -12209,13 +20235,13 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:domain = Organisation | rdfs:range = Organisation | rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:Choreographer202675359312014-07-08T12:59:24Z -{{ObjectProperty -| rdfs:label@en = choreographer -| rdfs:label@de = Choreograph -| rdfs:label@nl = choreograaf +}}OntologyProperty:Choreographer202675567622022-02-28T17:33:07Z{{ObjectProperty | labels = {{label|el|χορογράφος}} + {{label|fr|choréographe}} + {{label|en|choreographer}} + {{label|de|Choreograph}} + {{label|nl|choreograaf}} | rdfs:domain = FigureSkater | rdfs:range = Person | rdfs:subPropertyOf = dul:coparticipatesWith @@ -12230,13 +20256,14 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@nl = doopdatum | rdfs:domain = Ship | rdfs:range = xsd:date -}}OntologyProperty:Chromosome202676475112015-04-02T12:03:14Z{{DatatypeProperty +}}OntologyProperty:Chromosome202676567412022-02-28T15:40:49Z{{DatatypeProperty | rdfs:label@en = chromosome | rdfs:label@de = Chromosom | rdfs:label@ga = crómasóm | rdfs:label@el =χρωμόσωμα | rdfs:label@ja = 染色体 | rdfs:label@pl = chromosom +| rdfs:label@fr = chromosome | rdfs:domain = Protein | rdfs:range = xsd:string | owl:equivalentProperty = wikidata:P1057 @@ -12250,19 +20277,20 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:range = Person | rdfs:subPropertyOf = dul:sameSettingAs | owl:equivalentProperty = wikidata:P344 -}}OntologyProperty:Circle2026971334972014-04-03T14:43:54Z{{DatatypeProperty +}}OntologyProperty:Circle2026971570132022-03-09T12:41:35Z{{DatatypeProperty | labels = -{{label|en|region}} -{{label|de|Region}} + {{label|en|region}} + {{label|fr|région}} + {{label|de|Region}} | rdfs:domain = PopulatedPlace | rdfs:range = xsd:string -}}OntologyProperty:CircuitLength2025334335192014-04-03T14:51:53Z{{ DatatypeProperty - - | rdfs:label@en = circuit length +}}OntologyProperty:CircuitLength2025334567402022-02-28T15:39:17Z{{ DatatypeProperty + | labels = + {{label|en|circuit length}} + {{label|fr|longueur de circuit}} | rdfs:domain = FormulaOneRacing | rdfs:range = Length <!-- | rdf:type = owl:FunctionalProperty --> - }}OntologyProperty:CircuitName2025332348402014-05-15T05:18:44Z{{ DatatypeProperty | rdfs:label@en = circuit name @@ -12292,10 +20320,11 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdf:type = | rdfs:subPropertyOf = | owl:equivalentProperty = -}}OntologyProperty:Citizenship202679523452017-10-10T13:46:46Z +}}OntologyProperty:Citizenship202679572852022-03-30T13:39:44Z {{ObjectProperty | labels = {{label|en|citizenship}} + {{label|fr|citoyenneté}} {{label|nl|burgerschap}} {{label|da|statsborgerskab}} {{label|de|Staatsangehörigkeit}} @@ -12348,29 +20377,33 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|en|clade}} {{label|nl|cladon}} | rdfs:domain = Species -}}OntologyProperty:Class202682537712020-10-19T16:16:26Z +}}OntologyProperty:Class202682567632022-02-28T17:34:43Z {{ObjectProperty | rdfs:label@en = class | rdfs:label@de = Klasse | rdfs:label@el = τάξη | rdfs:label@nl = klasse +| rdfs:label@fr = classe | rdfs:domain = owl:Thing | rdfs:subPropertyOf = dul:isClassifiedBy | owl:equivalentProperty = gn:featureClass -}}OntologyProperty:Classes202683471742015-03-25T12:56:58Z{{DatatypeProperty +}}OntologyProperty:Classes202683573582022-03-31T12:04:32Z{{DatatypeProperty | labels = -{{label|en|classes}} -{{label|de|Klasse}} -{{label|el|τάξεις}} + {{label|en|classes}} + {{label|fr|classes}} + {{label|de|Klasse}} + {{label|el|τάξεις}} | rdfs:domain = School | rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:Classification2022634522762017-10-08T17:20:37Z{{DatatypeProperty +}}OntologyProperty:Classification2022634573602022-03-31T12:11:08Z{{DatatypeProperty | rdfs:label@en = classification -| rdfs:label@de = Klassifikation +| rdfs:label@de = catégorie | rdfs:label@nl = categorie | rdfs:domain = owl:Thing | rdfs:range = xsd:string -| rdfs:comment@en = Any string representing a class or category this thing is assigned to. +| comments = + {{comment|en|Any string representing a class or category this thing is assigned to.}} + {{comment|fr|Toute chaîne de caractères représentant une classe ou une catégorie à laquelle cette chose est assignée.}} }}OntologyProperty:Classis2025202283302013-09-11T13:36:49Z{{ObjectProperty | labels = {{label|en|classis}} @@ -12410,11 +20443,12 @@ A hormone is any member of a class of signaling molecules produced by glands in {{comment|en|place close to another place}} | rdfs:domain = Place | rdfs:range = Place -}}OntologyProperty:Closed202684335022014-04-03T14:44:13Z{{DatatypeProperty +}}OntologyProperty:Closed202684573622022-03-31T12:13:35Z{{DatatypeProperty | labels = -{{label|en|closed}} -{{label|de|geschlossen}} -{{label|nl|gesloten}} + {{label|en|closed}} + {{label|fr|fermé}} + {{label|de|geschlossen}} + {{label|nl|gesloten}} | rdfs:domain = EducationalInstitution | rdfs:range = xsd:date }}OntologyProperty:ClosingDate202685173372012-04-20T14:43:04Z{{DatatypeProperty @@ -12558,11 +20592,12 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@de = bild wappen | rdfs:comment@en = image of the coat of arms (heraldic symbol) | owl:equivalentProperty = wikidata:P94 -}}OntologyProperty:Code202696537762020-10-19T17:26:28Z{{DatatypeProperty +}}OntologyProperty:Code202696590482022-06-21T17:54:29Z{{DatatypeProperty | labels = {{label|en|code}} {{label|el|κωδικός}} {{label|de|Code}} +{{label|ur|ضابطہ}} {{label|nl|code}} | rdfs:range = xsd:string | rdfs:comment@en = Superproperty for any designation (string, integer as string) that is meant to identify an entity within the context of a system @@ -12684,10 +20719,12 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:domain = Person | rdfs:range = Person | rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:Collection2022521335132014-04-03T14:45:17Z{{DatatypeProperty -| rdfs:label@en = collection -| rdfs:label@de = Sammlung -| rdfs:label@el = συλλογή +}}OntologyProperty:Collection2022521572822022-03-30T13:33:16Z{{DatatypeProperty +| labels = + {{label|en|collection}} + {{label|fr|collection}} + {{label|de|Sammlung}} + {{label|el|συλλογή}} | rdfs:domain = Museum | rdfs:range = xsd:string }}OntologyProperty:CollectionSize2026683359452014-07-08T13:01:31Z @@ -12723,9 +20760,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|de|Kolonialname}} | rdfs:domain = PopulatedPlace | rdfs:range = xsd:string -}}OntologyProperty:ColorChart2026810251572013-05-09T10:03:49Z{{DatatypeProperty +}}OntologyProperty:ColorChart2026810573142022-03-30T15:17:03Z{{DatatypeProperty | labels = -{{label|en|colorChart}} + {{label|en|colorChart}} + {{label|fr|distribution des couleurs}} | rdfs:domain = FictionalCharacter | rdfs:range = xsd:string }}OntologyProperty:Colour2023720521332017-06-19T11:21:35Z{{ObjectProperty @@ -12741,12 +20779,16 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:comment@en = A colour represented by its entity. | rdfs:subPropertyOf = dul:hasQuality | owl:equivalentProperty = wikidata:P462 -}}OntologyProperty:ColourHexCode2023721528752018-02-13T10:41:40Z{{DatatypeProperty -| rdfs:label@en = colour hex code -| rdfs:label@de = Farben Hex Code +}}OntologyProperty:ColourHexCode2023721572992022-03-30T14:32:34Z{{DatatypeProperty +| labels = + {{label|en|colour hex code}} + {{label|fr|code hexa de couleur}} + {{label|de|Farben Hex Code}} | rdfs:domain = owl:Thing | rdfs:range = xsd:string -| rdfs:comment@en = A colour represented by its hex code (e.g.: #FF0000 or #40E0D0) +| comments = + {{comment|en|A colour represented by its hex code (e.g.: #FF0000 or #40E0D0)}} + {{comment|fr|Une couleur représentée par son code hexadécimal (exemple : #FF0000 ou #40E0D0)}} | rdfs:subPropertyOf = code }}OntologyProperty:ColourName202699473792015-03-31T17:15:08Z{{DatatypeProperty | rdfs:label@en = colour name @@ -12803,9 +20845,10 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@nl = commandant | rdfs:range = Person | rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:Comment2027103536812020-07-30T21:35:16Z{{DatatypeProperty +}}OntologyProperty:Comment2027103568632022-03-01T20:21:56Z{{DatatypeProperty | labels = {{label|en|comment}} +{{label|fr|commentaire}} {{label|de|Kommentar}} {{label|el|σχόλιο}} | rdfs:range = xsd:string @@ -12840,10 +20883,14 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:range = owl:Thing | rdfs:comment@en = Committee in the legislature (eg.: Committee on Economic and Monetary Affairs of the European Parliament). | rdfs:subPropertyOf = dul:hasPart -}}OntologyProperty:CommonName2025046348232014-05-15T05:05:54Z{{DatatypeProperty -| rdfs:label@en = common name -| rdfs:label@de = gewöhnlicher Name -| rdfs:comment@en = The 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. +}}OntologyProperty:CommonName2025046573632022-03-31T12:19:58Z{{DatatypeProperty +| labels = + {{label|en|common name}} + {{label|fr|nom d'usage}} + {{label|de|gewöhnlicher Name}} +| comments = + {{comment|en|The 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.}} + {{comment|fr|Nom habituel d'une entité. Souvent on utilise foaf:name pour tous les noms qu'une personne peut avoir; cette propriété précise le nom qui est habituellement utilisé.}} | rdfs:domain = owl:Thing | rdfs:range = rdf:langString }}OntologyProperty:Commune202706359532014-07-08T13:02:47Z @@ -12860,10 +20907,11 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:subPropertyOf = isoCode | rdfs:domain = PopulatedPlace | rdfs:range = xsd:string -}}OntologyProperty:Company202707359542014-07-08T13:02:56Z +}}OntologyProperty:Company202707568642022-03-01T20:29:59Z {{ObjectProperty | labels = {{label|en|company}} + {{label|fr|compagnie}} {{label|de|Firma}} {{label|nl|organisatie}} {{label|el|εταιρεία}} @@ -12895,12 +20943,15 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|de|Sterbeort}} | rdfs:domain = Person | rdfs:range = SportsEvent -}}OntologyProperty:Compiler202709359572014-07-08T13:03:22Z -{{ObjectProperty -| rdfs:label@en = compiler +}}OntologyProperty:Compiler202709573152022-03-30T15:23:55Z{{ObjectProperty +| labels = + {{label|en|compiler}} + {{label|fr|compilateur}} | rdfs:domain = Album | rdfs:range = Person -| rdfs:comment@en = For compilation albums: the person or entity responsible for selecting the album's track listing. +| comments = + {{comment|en|For compilation albums: the person or entity responsible for selecting the album's track listing.}} + {{comment|fr|Pour les albums qui sont des compilations, personne ou entité responsable du choix des pistes de l'album.}} | rdfs:subPropertyOf = dul:coparticipatesWith }}OntologyProperty:CompletionDate202710367542014-07-09T10:16:40Z{{DatatypeProperty | labels = @@ -12931,10 +20982,11 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|fr |complications}} | rdfs:domain = Disease | rdfs:range = xsd:string -}}OntologyProperty:Component202711359592014-07-08T13:03:47Z +}}OntologyProperty:Component202711567422022-02-28T15:46:05Z {{ObjectProperty | rdfs:label@en = component | rdfs:label@de = Komponente +| rdfs:label@fr = composant | rdfs:domain = Brain | rdfs:range = AnatomicalStructure | rdfs:subPropertyOf = dul:hasComponent @@ -12949,9 +21001,11 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:range = Person | rdfs:subPropertyOf = dul:coparticipatesWith | owl:equivalentProperty = wikidata:P86 -}}OntologyProperty:CompressionRatio202713475482015-04-03T08:55:35Z{{DatatypeProperty -| rdfs:label@en = compression ratio -| rdfs:label@de = Kompressionsverhältnis +}}OntologyProperty:CompressionRatio202713572832022-03-30T13:36:47Z{{DatatypeProperty +| labels = + {{label|en|compression ratio}} + {{label|fr|taux de compression}} + {{label|de|Kompressionsverhältnis}} | rdfs:domain = AutomobileEngine | rdfs:range = xsd:string | owl:equivalentProperty = wikidata:P1247 @@ -12986,10 +21040,11 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:comment@en = Number of confirmed cases in a pandemic | rdfs:domain = Outbreak | rdfs:range = xsd:integer -}}OntologyProperty:Conflict2027556335432014-04-03T15:29:59Z{{ObjectProperty +}}OntologyProperty:Conflict2027556570142022-03-09T12:42:41Z{{ObjectProperty | labels = -{{label|en|conflict}} -{{label|de|Konflikt}} + {{label|en|conflict}} + {{label|fr|conflit}} + {{label|de|Konflikt}} | rdfs:range =MilitaryConflict }}OntologyProperty:CongressionalDistrict2023216359652014-07-08T13:04:36Z {{ObjectProperty @@ -13011,27 +21066,33 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@de = Konnotation | rdfs:comment@en = A meaning of a word or phrase that is suggested or implied, as opposed to a denotation, or literal meaning. | rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:Consecration2027820491472015-10-13T09:59:41Z{{DatatypeProperty -| rdfs:label@en = consecration -| rdfs:label@de = Weihe -| rdfs:label@nl = wijding +}}OntologyProperty:Consecration2027820572332022-03-28T20:36:05Z{{DatatypeProperty +| labels = + {{label|en|consecration}} + {{label|fr|consécration}} + {{label|de|Weihe}} + {{label|nl|wijding}} | rdfs:domain = Cleric | rdfs:range = xsd:string -}}OntologyProperty:ConservationStatus202715336192014-04-03T16:07:32Z{{DatatypeProperty -| rdfs:label@en = conservation status -| rdfs:label@ja = 保全状況 +}}OntologyProperty:ConservationStatus202715572342022-03-28T20:36:56Z{{DatatypeProperty +| labels = + {{label|en|conservation status}} + {{label|fr|état de conservation}} + {{label|ja|保全状況}} | rdfs:domain = Species | rdfs:range = xsd:string }}OntologyProperty:ConservationStatusSystem20271679332010-05-28T12:55:33Z{{DatatypeProperty | rdfs:label@en = conservation status system | rdfs:domain = Species | rdfs:range = xsd:string -}}OntologyProperty:Constellation2024447491822015-10-14T10:32:40Z{{ObjectProperty -| rdfs:label@en = constellation -| rdfs:label@de = Sternbild -| rdfs:label@pl = gwiazdozbiór -| rdfs:label@tr = Takımyıldız -| rdfs:label@nl = sterrenbeeld +}}OntologyProperty:Constellation2024447572352022-03-28T20:39:17Z{{ObjectProperty +| labels = + {{label|en|constellation}} + {{label|fr|constellation}} + {{label|de|Sternbild}} + {{label|pl|gwiazdozbiór}} + {{label|tr|Takımyıldız}} + {{label|nl|sterrenbeeld}} | rdfs:range = owl:Thing | rdfs:domain = CelestialBody | rdfs:subPropertyOf = dul:hasPart @@ -13042,11 +21103,12 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|de|Whalbezirk}} {{label|fr|circonscription électorale}} | rdfs:range = PopulatedPlace -}}OntologyProperty:Construction2026429367562014-07-09T10:21:33Z{{ObjectProperty +}}OntologyProperty:Construction2026429572362022-03-28T20:40:25Z{{ObjectProperty | labels = {{label|en|construction}} -{{label|el|κατασκευή}} -{{label|de|Konstruktion}} + {{label|fr|construction}} + {{label|el|κατασκευή}} + {{label|de|Konstruktion}} | rdfs:domain = ArchitecturalStructure | rdfs:range = owl:Thing | rdfs:subPropertyOf = dul:sameSettingAs @@ -13061,19 +21123,23 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:comment@en = Construction material (eg. concrete, steel, iron, stone, brick, wood). | rdfs:subPropertyOf = dul:hasConstituent | owl:equivalentProperty = wikidata:P186 -}}OntologyProperty:Contest2028059335482014-04-03T15:30:29Z{{ObjectProperty -| rdfs:label@en = contest -| rdfs:label@de = Wettbewerb +}}OntologyProperty:Contest2028059572372022-03-28T20:42:05Z{{ObjectProperty +| labels = + {{label|en|contest}} + {{label|fr|concours}} + {{label|de|Wettbewerb}} | rdfs:domain = Person | rdfs:range = Contest -}}OntologyProperty:Continent2025941475522015-04-03T08:58:22Z{{ObjectProperty +}}OntologyProperty:Continent2025941570162022-03-09T12:47:46Z{{ObjectProperty | labels = {{label|en|continent}} + {{label|fr|continent}} {{label|de|Kontinent}} {{label|el|ήπειρος}} {{label|it|continente}} | comments = {{comment|en|links a country to the continent it belongs}} + {{comment|fr|relie un pays au continent auquel il appartient}} {{comment|el|μεγάλες περιοχές ξηράς που περιστοιχίζονται από ωκεανούς}} | rdfs:domain = Country | rdfs:range = Continent @@ -13088,9 +21154,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{comment|de|Der Platz des Gebäudes in der Liste der höchsten Gebäude des Kontinents}} | rdfs:domain = Skyscraper | rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:ContinentalTournament2027568267922013-07-02T09:51:25Z{{ObjectProperty +}}OntologyProperty:ContinentalTournament2027568567912022-02-28T21:21:08Z{{ObjectProperty | labels = {{label|en|continental tournament}} +{{label|fr|tournoi continental}} | rdfs:range = Tournament | rdfs:domain = Person }}OntologyProperty:ContinentalTournamentBronze2027578268042013-07-02T10:01:49Z{{DatatypeProperty @@ -13132,21 +21199,25 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|de|Strafe}} | rdfs:domain = Criminal | rdfs:range = owl:Thing -}}OntologyProperty:CoolingSystem202719359722014-07-08T13:05:48Z -{{ObjectProperty -| rdfs:label@en = cooling system -| rdfs:label@de = Kühlsystem +}}OntologyProperty:CoolingSystem202719573162022-03-30T15:26:05Z{{ObjectProperty +| labels = + {{label|en|cooling system}} + {{label|fr|système de refroidissement}} + {{label|de|Kühlsystem}} | rdfs:domain = AutomobileEngine | rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:Copilote2027804335532014-04-03T15:30:52Z{{ObjectProperty +}}OntologyProperty:Copilote2027804572382022-03-28T20:42:58Z{{ObjectProperty | labels = -{{label|en|copilote}} -{{label|de|Copilot}} + {{label|en|copilote}} + {{label|fr|copilote}} + {{label|de|Copilot}} | rdfs:range = Person | rdfs:domain = Person -}}OntologyProperty:CoronationDate2024213213372012-12-29T09:50:49Z{{DatatypeProperty -| rdfs:label@en = coronation date -| rdfs:label@nl = kroningsdatum +}}OntologyProperty:CoronationDate2024213572392022-03-28T20:44:41Z{{DatatypeProperty +| labels = + {{label|en|coronation date}} + {{label|fr|date de couronnement}} + {{label|nl|kroningsdatum}} | rdfs:domain = Royalty | rdfs:range = xsd:date }}OntologyProperty:CosparId202723528722018-02-13T10:36:14Z{{DatatypeProperty @@ -13204,11 +21275,14 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:range = Country | owl:equivalentProperty = wikidata:P17 | rdfs:subPropertyOf = dul:hasLocation -}}OntologyProperty:CountryCode20211955537692020-10-14T23:12:45Z{{DatatypeProperty +}}OntologyProperty:CountryCode20211955568192022-02-28T22:41:31Z{{DatatypeProperty | labels = {{label|de|Ländervorwahl}} {{label|en|country code}} -| rdfs:comment@en = Country code for telephone numbers. +{{label|fr|code du pays}} +| comments = + {{comment|en|Country code for telephone numbers.}} + {{comment|fr|Code du pays dans la numérotation téléphonique.}} | rdfs:domain = Place | rdfs:range = xsd:string | owl:equivalentProperty = gn:countryCode @@ -13298,27 +21372,33 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:comment@en = Cover artist | rdfs:subPropertyOf = dul:coparticipatesWith | owl:equivalentProperty = wikidata:P736 -}}OntologyProperty:Cpu2022127487082015-08-10T10:33:08Z{{ObjectProperty -| rdfs:label@en = CPU -| rdfs:label@de = CPU -| rdfs:label@nl = processor (CPU) -| rdfs:label@pl = procesor (CPU) -| rdfs:comment@en = CPU of an InformationAppliance or VideoGame (which unfortunately is currently under Software) +}}OntologyProperty:Cpu2022127574222022-04-17T20:42:29Z{{ObjectProperty +| labels = + {{label|en|CPU}} + {{label|fr|processeur(CPU)}} + {{label|de|CPU}} + {{label|nl|processor (CPU)}} + {{label|pl|procesor (CPU)}} +| comments = + {{comment|en|CPU of an InformationAppliance or VideoGame (which unfortunately is currently under Software)}} + {{comment|fr|Processeur d'un équipement d'information ou d'un jeu vidéo (qui malheureusement est actuellement en charge du logiciel)}} | rdfs:subPropertyOf = dul:coparticipatesWith | owl:equivalentProperty = wikidata:P880 -}}OntologyProperty:Created2027764335572014-04-03T15:31:16Z{{ObjectProperty +}}OntologyProperty:Created2027764574232022-04-17T20:43:42Z{{ObjectProperty | labels = -{{label|en|created}} -{{label|de|erstellt}} + {{label|en|created}} + {{label|fr|créé}} + {{label|de|erstellt}} | rdfs:domain = Person | rdfs:range = Work }}OntologyProperty:CreationChristianBishop2027821491482015-10-13T10:00:50Z{{DatatypeProperty | rdfs:label@en = creation christian bishop | rdfs:domain = Bishop | rdfs:range = xsd:string -}}OntologyProperty:CreationYear2022387367572014-07-09T10:24:18Z{{DatatypeProperty +}}OntologyProperty:CreationYear2022387567902022-02-28T21:20:14Z{{DatatypeProperty | labels = {{label|en|year of creation}} +{{label|fr|année de création}} {{label|el|έτος δημιουργίας}} {{label|de|Entstehungsjahr}} {{label|nl|jaar van creatie}} @@ -13358,29 +21438,37 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|pl|herb}} | rdfs:domain = owl:Thing | rdfs:range = owl:Thing -}}OntologyProperty:Crew202736359882014-07-08T13:08:14Z +}}OntologyProperty:Crew202736572402022-03-28T20:47:50Z {{ObjectProperty -| rdfs:label@de = Crew -| rdfs:label@el = πλήρωμα -| rdfs:label@en = crew +| labels = + {{label|de|Crew}} + {{label|fr|équipage}} + {{label|el|πλήρωμα}} + {{label|en|crew}} | rdfs:domain = Spacecraft | rdfs:range = SpaceMission | rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:CrewMember202737475562015-04-03T09:04:41Z{{ObjectProperty -| rdfs:label@en = crew member -| rdfs:label@de = Besatzungsmitglied +}}OntologyProperty:CrewMember202737572412022-03-28T20:49:50Z{{ObjectProperty +| labels = + {{label|en|crew member}} + {{label|fr|membre d'équipage}} + {{label|de|Besatzungsmitglied}} | rdfs:domain = SpaceMission | rdfs:range = Astronaut | rdfs:subPropertyOf = dul:hasParticipant | owl:equivalentProperty = wikidata:P1029 -}}OntologyProperty:CrewSize202739335622014-04-03T15:31:43Z{{DatatypeProperty -| rdfs:label@en = crew size -| rdfs:label@de = Besatzungsstärke +}}OntologyProperty:CrewSize202739572422022-03-28T20:51:49Z{{DatatypeProperty +| labels = + {{label|en|crew size}} + {{label|fr|taille de l'équipage}} + {{label|de|Besatzungsstärke}} | rdfs:domain = SpaceMission | rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:Crews202738335632014-04-03T15:31:50Z{{DatatypeProperty -| rdfs:label@en = crews -| rdfs:label@de = Besatzungen +}}OntologyProperty:Crews202738572432022-03-28T20:53:33Z{{DatatypeProperty +| labels = + {{label|en|crews}} + {{label|fr|équipages}} + {{label|de|Besatzungen}} | rdfs:domain = SpaceShuttle | rdfs:range = xsd:nonNegativeInteger }}OntologyProperty:CriminalCharge20211898522792017-10-08T17:55:06Z{{DatatypeProperty @@ -13424,10 +21512,11 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:range = CultivatedVariety | rdfs:domain = Plant | rdfs:subPropertyOf = dul:isSpecializedBy -}}OntologyProperty:Curator2022519359922014-07-08T13:08:46Z +}}OntologyProperty:Curator2022519573002022-03-30T14:36:33Z {{ObjectProperty | labels = {{label|en|curator}} + {{label|fr|conservateur}} {{label|de|Kurator}} {{label|nl|conservator}} | rdfs:domain = Museum @@ -13458,10 +21547,11 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:range = xsd:string | owl:equivalentProperty = wikidata:P498 -}}OntologyProperty:CurrentCity2027958335682014-04-03T15:32:15Z{{ObjectProperty +}}OntologyProperty:CurrentCity2027958574242022-04-17T20:45:06Z{{ObjectProperty | labels = -{{label|en|current city}} -{{label|de|aktuelle Stadt}} + {{label|en|current city}} + {{label|fr|ville actuelle}} + {{label|de|aktuelle Stadt}} | rdfs:range = City }}OntologyProperty:CurrentLeague2027782336222014-04-03T16:11:50Z{{ObjectProperty | labels = @@ -13476,10 +21566,12 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:range = Person | rdfs:domain = SportsTeam | rdfs:subPropertyOf = dul:hasMember -}}OntologyProperty:CurrentPartner202746359952014-07-08T13:09:15Z +}}OntologyProperty:CurrentPartner202746572442022-03-28T20:55:32Z {{ObjectProperty -| rdfs:label@en = current partner -| rdfs:label@de = aktueller Partner +| labels = + {{label|en|current partner}} + {{label|fr|partenaire actuel}} + {{label|de|aktueller Partner}} | rdfs:domain = FigureSkater | rdfs:range = Person | rdfs:subPropertyOf = dul:coparticipatesWith @@ -13499,10 +21591,12 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@en = current record | rdfs:domain = CollegeCoach | rdfs:range = xsd:string -}}OntologyProperty:CurrentSeason2022194335722014-04-03T15:32:31Z{{DatatypeProperty -| rdfs:label@en = current season -| rdfs:label@de = aktuelle Spielzeit -| rdfs:label@el = Τρέχον Περίοδος +}}OntologyProperty:CurrentSeason2022194572862022-03-30T13:42:51Z{{DatatypeProperty +| labls = + {{label|en|current season}} + {{label|fr|saison actuelle}} + {{label|de|aktuelle Spielzeit}} + {{label|el|Τρέχον Περίοδος}} | rdfs:domain = SportsLeague | rdfs:range = xsd:string }}OntologyProperty:CurrentStatus202749335732014-04-03T15:32:35Z{{DatatypeProperty @@ -13570,6 +21664,22 @@ A hormone is any member of a class of signaling molecules produced by glands in |rdfs:label@en=cylinder count |rdfs:domain=Locomotive |rdfs:range=xsd:nonNegativeInteger +}}OntologyProperty:DailyVaccinationsPerMillion20213119548932021-07-26T04:00:29Z{{ObjectProperty +| labels = + {{label|en|Daily Vaccinations Per Million}} +| comments = + {{comment|en|VaccinationStatistics: people vaccinated percent.}} +| rdfs:domain = owl:Thing +| rdfs:range = VaccinationStatistics +}}OntologyProperty:DailyVaccinationsRaw20213116588152022-06-20T11:08:03Z{{ObjectProperty +| labels = + {{label|en|Daily Vaccinations Raw}} +{{label|ur|روزانہ ویکسین خام}} +| comments = + {{comment|en|VaccinationStatistics: Daily vaccinations (raw data).}} +{{comment|ur|ویکسینیشن کے اعدادوشمار: روزانہ ویکسینیشن (خام ڈیٹا)۔}} +| rdfs:domain = owl:Thing +| rdfs:range = VaccinationStatistics }}OntologyProperty:Daira2026845360002014-07-08T13:09:58Z {{ObjectProperty | labels = @@ -13585,10 +21695,11 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:domain = Animal | rdfs:range = Animal | rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:Damage20211125460492015-03-16T21:41:13Z{{ObjectProperty +}}OntologyProperty:Damage20211125588182022-06-20T11:17:43Z{{ObjectProperty | labels = {{label|en|damage amount}} {{label|nl|schadebedrag}} +{{label|ur|نقصان کی رقم}} | rdfs:domain = Event | rdfs:range = Currency }}OntologyProperty:Damsire2026174360022014-07-08T13:10:24Z @@ -13603,17 +21714,19 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|en|danse competition}} | rdfs:domain = Person | rdfs:range = xsd:string -}}OntologyProperty:DanseScore2028071282342013-09-04T09:13:13Z{{DatatypeProperty +}}OntologyProperty:DanseScore2028071588232022-06-20T11:41:27Z{{DatatypeProperty | labels = {{label|en|danse score}} +{{label|ur|ڈینس سکور}} | rdfs:domain = Person | rdfs:range = xsd:string -}}OntologyProperty:Date202753475582015-04-03T09:07:55Z{{DatatypeProperty +}}OntologyProperty:Date202753574252022-04-17T20:45:58Z{{DatatypeProperty | labels = -{{label|en|date}} -{{label|de|Datum}} -{{label|nl|datum}} -{{label|el|ημερομηνία}} + {{label|en|date}} + {{label|fr|date}} + {{label|de|Datum}} + {{label|nl|datum}} + {{label|el|ημερομηνία}} | rdfs:range = xsd:date | owl:equivalentProperty = wikidata:P585 }}OntologyProperty:DateAct202754115422011-04-01T11:05:12Z{{DatatypeProperty @@ -13621,9 +21734,10 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@el = απόφαση_διάνοιξης | rdfs:domain = Canal | rdfs:range = xsd:date -}}OntologyProperty:DateAgreement2027042255412013-05-25T22:55:09Z{{DatatypeProperty +}}OntologyProperty:DateAgreement2027042588242022-06-20T11:43:53Z{{DatatypeProperty | labels = {{label|en|date of an agreement}} +{{label|ur|تاریخ کا معاہدہ}} | rdfs:domain = Place | rdfs:range = xsd:date }}OntologyProperty:DateBudget2027075255962013-05-26T12:21:25Z{{DatatypeProperty @@ -13635,11 +21749,19 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@el = τερματισμός_λειτουργίας | rdfs:domain = Canal | rdfs:range = xsd:date -}}OntologyProperty:DateCompleted202756115462011-04-01T11:08:04Z{{DatatypeProperty +}}OntologyProperty:DateCompleted202756588292022-06-20T11:48:04Z{{DatatypeProperty | rdfs:label@en = date completed | rdfs:label@el = ολοκλήρωση +| rdfs:label@ur =مکمل تاریخ | rdfs:domain = Canal | rdfs:range = xsd:date +}} +{{DatatypeProperty +| labels = + +{{label|ur|مکمل تاریخ }} +| rdfs:domain = Canal +| rdfs:range = xsd:date }}OntologyProperty:DateConstruction202757335802014-04-03T15:33:01Z{{DatatypeProperty | rdfs:label@en = date construction | rdfs:label@de = Bauzeit @@ -13651,11 +21773,14 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@el = επέκταση | rdfs:domain = Canal | rdfs:range = xsd:date -}}OntologyProperty:DateLastUpdated2027169335812014-04-03T15:33:05Z{{DatatypeProperty +}}OntologyProperty:DateLastUpdated2027169588322022-06-20T11:54:33Z{{DatatypeProperty | rdfs:domain = Document | rdfs:range = xsd:date | labels = {{label|en|Date Last Updated}} + + {{label|ur|آخری تازہ کاری کی تاریخ}} + {{label|de|Datum der letzten Aktualisierung}} {{label|nl|datum laatste bewerking}} }}OntologyProperty:DateOfAbandonment202214383662010-05-28T13:54:42Z{{DatatypeProperty @@ -13667,13 +21792,15 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@nl = datum begrafenis | rdfs:domain = Person | rdfs:range = xsd:date -}}OntologyProperty:DateUnveiled2026474237342013-02-14T10:01:56Z{{DatatypeProperty +}}OntologyProperty:DateUnveiled2026474588332022-06-20T11:58:20Z{{DatatypeProperty | labels = {{label|en|date unveiled}} {{label|nl|datum onthulling}} +{{label|ur|تاریخ کی نقاب کشائی}} | comments = {{comment|en|Designates the unveiling date }} {{comment|nl|Duidt de datum van onthulling aan}} +{{comment|ur|نقاب کشائی کی تاریخ مقرر کرتا ہے۔}} | rdfs:domain = Monument | rdfs:range = xsd:date | rdf:type = @@ -13684,9 +21811,10 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@el = έναρξη_χρήσης | rdfs:domain = Canal | rdfs:range = xsd:date -}}OntologyProperty:Daughter20212291535872020-01-30T18:25:53Z{{ObjectProperty +}}OntologyProperty:Daughter20212291574262022-04-17T20:47:07Z{{ObjectProperty | labels = {{label|en|daughter}} + {{label|fr|fille}} {{label|nl|dochter}} {{label|de|Tochter}} {{label|el|κόρη}} @@ -13695,9 +21823,12 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:domain = Woman | rdfs:range = Person | owl:propertyDisjointWith = parent -}}OntologyProperty:DavisCup2027739500982016-01-04T12:56:51Z{{DatatypeProperty +}}OntologyProperty:DavisCup2027739588382022-06-20T12:05:16Z{{DatatypeProperty | labels = {{label|en|davis cup}} +{{{label|ur| کپ سالانہ بین الاقوامی ٹیم ٹینس مقابلہ کے لئے نوازا}} + + | rdfs:domain = TennisPlayer | rdfs:range = xsd:string }}OntologyProperty:Day202762335832014-04-03T15:33:12Z{{DatatypeProperty @@ -13715,7 +21846,7 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@de = Sommerzeitzone | rdfs:domain = Place | rdfs:subPropertyOf = dul:isPartOf -}}OntologyProperty:DbnlCodeDutch2028143285442013-10-10T08:47:57Z{{DatatypeProperty +}}OntologyProperty:DbnlCodeDutch2028143588412022-06-20T12:12:26Z{{DatatypeProperty | labels = {{label|en|Digital Library code NL}} {{label|nl|DBNL code NL}} @@ -13723,6 +21854,26 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:range = xsd:string | rdfs:comment@en = identifier in Dutch digital library (dbnl) | rdfs:comment@nl = ID in Digitale Bibliotheek voor de Nederlandse Letteren (dbnl) +}} +{{DatatypeProperty +| labels = + +{{label|ur| ڈیجیٹل لائبریری کوڈ NL}} +| rdfs:domain = Writer + +| rdfs:range = xsd:string +| comments = + + {{comment|ur|ڈچ ڈیجیٹل لائبریری (dbnl) میں شناخت کنندہ}} +}}OntologyProperty:Dbo:virus20213102568302022-03-01T00:34:44Z{{DatatypeProperty +| labels = +{{label|en|virus}} +{{label|fr|virus}} +| rdfs:domain = dbo:Disease +| rdfs:range = dbo:Virus +| rdf:type = +| rdfs:subPropertyOf = +| owl:equivalentProperty = }}OntologyProperty:Dc:creator20211280486452015-08-06T15:12:03Z{{DatatypeProperty | labels = {{label|en|creator (literal)}} @@ -13733,11 +21884,18 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:comment@en=Creator/author of a work. For literal (string) use dc:creator; for object (URL) use creator | rdfs:subPropertyOf = dul:coparticipatesWith | owl:equivalentProperty = wikidata:P170 -}}OntologyProperty:Dc:description2021610174602012-04-27T19:37:44Z{{DatatypeProperty -|rdfs:label@en = description -|rdfs:comment@en = Dublin Core (dc) properties should only be used for media resources compatible with a [http://dublincore.org/documents/dcmi-type-vocabulary/ Dublin Core type]. -|rdfs:domain = Work -|rdfs:range = xsd:string +}}OntologyProperty:Dc:description2021610588622022-06-20T13:43:49Z +{{DatatypeProperty +| labels = + +{{label|ur| ناشر کتب}} + +| rdfs:domain = کام +| rdfs:range = xsd:string +| comments = + + {{comment|ur| لیے ناشر استعمال کریں۔ (URL) استعمال کریں. آبجیکٹdc:publisherکسی کام کا ناشر۔ لغوی (سٹرنگ) کے لیے }} + }}OntologyProperty:Dc:identifier2029569525532017-10-26T10:28:39Z{{ DatatypeProperty | labels = {{label|en|identifier}} @@ -13752,12 +21910,24 @@ A hormone is any member of a class of signaling molecules produced by glands in |rdfs:comment@en = Language of the resource. Use dc:language for literal, language for object |rdfs:domain = owl:Thing |rdfs:range = xsd:string -}}OntologyProperty:Dc:publisher2025090486412015-08-06T15:09:30Z{{DatatypeProperty +}}OntologyProperty:Dc:publisher2025090588632022-06-20T13:45:39Z{{DatatypeProperty |rdfs:label@en=publisher |rdfs:label@de=Verlag |rdfs:comment@en=Publisher of a work. For literal (string) use dc:publisher; for object (URL) use publisher |rdfs:domain=Work |rdfs:range=xsd:string +}} +{{DatatypeProperty +| labels = + +{{label|ur| ناشر کتب}} + +| rdfs:domain = کام +| rdfs:range = xsd:string +| comments = + + {{comment|ur| لیے ناشر استعمال کریں۔ (URL) استعمال کریں. آبجیکٹdc:publisherکسی کام کا ناشر۔ لغوی (سٹرنگ) کے لیے }} + }}OntologyProperty:Dc:rights2021611185012012-05-19T15:44:55Z{{ObjectProperty |rdfs:comment@en = Dublin Core (dc) properties should only be used for media resources compatible with a [http://dublincore.org/documents/dcmi-type-vocabulary/ Dublin Core type]. |rdfs:label@en = rights @@ -13769,10 +21939,22 @@ A hormone is any member of a class of signaling molecules produced by glands in |rdfs:comment@nl=Een onderwerp wordt in de regel aangeduid met trefwoorden of met een verwijzing naar een bepaalde classificatie. Het wordt aanbevolen hiervoor gebruik te maken van een verzameling termen en concepten die onder redactie staat. Om de dimensies in ruimte en tijd van het informatieobject aan te duiden kan beter het Coverage element worden gebruikt. Properties van de Dublin Core (dc) zijn in principe alleen van toepassing op het type informatieobjecten dat als [http://dublincore.org/documents/dcmi-type-vocabulary/ Dublin Core type] is benoemd. |rdfs:domain=owl:Thing |rdfs:range=owl:Thing -}}OntologyProperty:Dc:title2026762453772015-02-16T16:29:18Z{{DatatypeProperty +}}OntologyProperty:Dc:title2026762588802022-06-20T14:15:48Z{{DatatypeProperty |rdfs:label@en = title |rdfs:range = xsd:string |rdfs:comment@en = Title that's a plain xsd:string, not rdf:langString (i.e. doesn't carry a language tag) +}} +{{DatatypeProperty +| labels = + +{{label|ur| عنوان}} + + +| rdfs:range = xsd:string +| comments = + + {{comment|ur|عنوان جو کہ ایک سادہ لفظ ہے، نہ کہ (یعنی اس میں الفاظ کی زبان نہیں ہے) }} + }}OntologyProperty:Dc:type20210352391192015-01-09T19:15:39Z{{DatatypeProperty | labels = {{label|en|type (literal)}} @@ -13783,21 +21965,58 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdf:type = | rdfs:subPropertyOf = | owl:equivalentProperty = -}}OntologyProperty:Dcc2021719486912015-08-10T10:12:45Z{{DatatypeProperty +}}OntologyProperty:Dc:عنوان20214170588782022-06-20T14:15:23Z{{DatatypeProperty +| labels = + +{{label|ur| عنوان}} + + +| rdfs:range = xsd:string +| comments = + + {{comment|ur|عنوان جو کہ ایک سادہ لفظ ہے، نہ کہ (یعنی اس میں الفاظ کی زبان نہیں ہے) }} + +}}OntologyProperty:Dcc2021719588882022-06-20T14:41:45Z{{DatatypeProperty | rdfs:label@en = Dewey Decimal Classification | rdfs:comment@en = The Dewey Decimal Classification is a proprietary system of library classification developed by Melvil Dewey in 1876. | rdfs:domain = Work | rdfs:range = xsd:string | owl:equivalentProperty = wikidata:P1036 -}}OntologyProperty:Dct:created2029549512082016-06-08T13:45:41Z{{DatatypeProperty +}} +{{DatatypeProperty +| labels = + +{{label|ur| علم کتاب داری کی اعشاریہ درجہ بندی}} + +| rdfs:domain = کام +| rdfs:range = xsd:string +| comments = + + {{comment|ur|علم کتاب داری کی اعشاریہ درجہ بندی لائبریری کی درجہ بندی کا ایک ملکیتی نظام ہے جسے میلویل ڈیوی نے 1876 میں تیار کیا تھا۔}} + +}}OntologyProperty:Dcc:علم کتاب داری کی اعشاریہ درجہ بندی20214174588902022-06-20T14:43:46Z{{DatatypeProperty +| labels = + +{{label|ur| علم کتاب داری کی اعشاریہ درجہ بندی}} + +| rdfs:domain = کام +| rdfs:range = xsd:string +| comments = + + {{comment|ur|علم کتاب داری کی اعشاریہ درجہ بندی لائبریری کی درجہ بندی کا ایک ملکیتی نظام ہے جسے میلویل ڈیوی نے 1876 میں تیار کیا تھا۔}} + +}}OntologyProperty:Dct:created2029549588852022-06-20T14:26:40Z{{DatatypeProperty | labels = {{label|en|Date or range when this object was created}} +{{label|ur|تاریخ یا حد جب یہ آلہ بنایا گیا تھا}} | comments = {{comment|en|Based on http://purl.org/dc/terms/created}} +{{comment|ur|کی بنیاد پر http://purl.org/dc/terms/created}} | rdfs:range = xsd:string -}}OntologyProperty:Dct:dateSubmitted2026001201252012-12-04T11:23:04Z{{DatatypeProperty +}}OntologyProperty:Dct:dateSubmitted2026001588912022-06-20T14:52:48Z{{DatatypeProperty |labels= {{label|en|date submitted}} +{{label|ur|جمع کرانے کی تاریخ}} |rdfs:range = xsd:date }}OntologyProperty:Dct:description2026761471922015-03-25T18:07:24Z{{DatatypeProperty | labels = @@ -13810,11 +22029,15 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|en|medium}} | rdfs:domain = owl:Thing | rdfs:range = xsd:string -}}OntologyProperty:Dct:format2029478486582015-08-06T16:32:37Z{{DatatypeProperty +}}OntologyProperty:Dct:format2029478588942022-06-20T15:04:31Z{{DatatypeProperty | comments= {{comment|en|File format of the resource. Use dct:medium for physical medium, or dct:extent for dimensions. Use dct:format for literal, format for object}} +{{comment|ur| dct:medium،وسائل کی فائل کی شکل۔ فزیکل میڈیم کے لیے + کو طول و عرض کے لیے استعمال کریں۔یاdct:extent + لفظی کے لیے ،آبجیکٹ کے لیے فارمیٹ کے لیے استعمال کریں dct:format}} | labels= {{label|en|format (literal)}} +{{label|ur|ترتیب (لفظی)}} | rdfs:domain = owl:Thing | rdfs:range = xsd:string }}OntologyProperty:Dct:medium20210397393372015-01-16T20:19:12Z{{DatatypeProperty @@ -13829,12 +22052,24 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|en|modified}} {{label|de|geändert}} |rdfs:range = xsd:date -}}OntologyProperty:Dct:references2029251375632014-07-28T13:32:30Z{{ObjectProperty +}}OntologyProperty:Dct:references2029251588962022-06-20T15:14:18Z{{ObjectProperty |rdfs:label@en=references |rdfs:label@nl=verwijst naar |rdfs:domain=Work |rdfs:range=owl:Thing |owl:equivalentProperty=http://purl.org/dc/terms/references +}} +{{DatatypeProperty +| labels = + +{{label|ur| حوالہ}} + +| rdfs:domain = work +| rdfs:range = xsd:string +| comments = + |owl:equivalentProperty=http://purl.org/dc/terms/references + + }}OntologyProperty:Dct:source2029252322812014-03-06T15:13:58Z{{ObjectProperty |rdfs:label@en=source |rdfs:label@nl=heeft als bron @@ -13843,12 +22078,65 @@ A hormone is any member of a class of signaling molecules produced by glands in |owl:equivalendProperty=http://purl.org/dc/terms/source }}OntologyProperty:Dct:spatial2025763186362012-05-24T10:43:07Z{{ObjectProperty |rdfs:label@en = spatial -}}OntologyProperty:Dct:subject2022899107122010-12-10T19:09:47Z{{ObjectProperty +}}OntologyProperty:Dct:subject2022899588992022-06-20T15:19:45Z{{ObjectProperty |rdfs:label@en = subject +}} +{{ObjectProperty +| labels = + +{{label|ur|مضمون}} + + + + }}OntologyProperty:Dct:temporal2026766250192013-04-18T11:15:36Z{{ObjectProperty |rdfs:label@en = temporal -}}OntologyProperty:Dct:type20210463250052013-04-18T10:35:14Z{{ObjectProperty -|rdfs:label@en = type +}}OntologyProperty:Dct:type20210463567892022-02-28T21:19:10Z{{ObjectProperty +|labels = + {{label|en|type}} + {{label|fr|type}} +}}OntologyProperty:Dct:ترتیب20214176588952022-06-20T15:09:13Z{{DatatypeProperty +| comments= +{{comment|ur| کو طول و عرض کے لیے استعمال کریں۔یاdct:extent، , dct:mediumوسائل کی فائل کی شکل فزیکل میڈیم کے لیے + کو طول و عرض کے لیے استعمال کریں۔یاdct:extent + لفظی کے لیے ،آبجیکٹ کے لیے فارمیٹ کے لیے استعمال کریں dct:format}} +| labels= + +{{label|ur|ترتیب (لفظی)}} +| rdfs:domain = owl:Thing +| rdfs:range = xsd:string +}}OntologyProperty:Dct:جمع کرانے کی تاریخ20214175588922022-06-20T14:53:54Z{{DatatypeProperty +|labels= + +{{label|ur|جمع کرانے کی تاریخ}} +|rdfs:range = xsd:date +}}OntologyProperty:Dct:حوالہ20214177588982022-06-20T15:16:48Z{{DatatypeProperty +| labels = + +{{label|ur| حوالہ}} + +| rdfs:domain = کام +| rdfs:range = xsd:string +| comments = + |owl:equivalentProperty=http://purl.org/dc/terms/references + + +}}OntologyProperty:Dct:مضمون20214178589002022-06-20T15:20:37Z{{ObjectProperty +| labels = + +{{label|ur|مضمون}} + + + + +}}OntologyProperty:Dct:پیدا کیا20214173588862022-06-20T14:27:10Z{{DatatypeProperty +| labels = + +{{label|ur|تاریخ یا حد جب یہ آلہ بنایا گیا تھا}} +| comments = + +{{comment|ur|کی بنیاد پر http://purl.org/dc/terms/created}} +| rdfs:range = xsd:string }}OntologyProperty:DeFactoLanguage2027035255332013-05-25T22:45:01Z{{ObjectProperty | labels = {{label|en|de facto language}} @@ -13859,9 +22147,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|en|dead in fight date}} | rdfs:domain = Person | rdfs:range = xsd:string -}}OntologyProperty:DeadInFightPlace2027802271052013-07-05T13:40:46Z{{DatatypeProperty +}}OntologyProperty:DeadInFightPlace2027802589012022-06-20T15:30:53Z{{DatatypeProperty | labels = {{label|en|dead in fight place}} +{{label|ur|مردہ لڑائی کی جگہ}} | rdfs:domain = Person | rdfs:range = xsd:string }}OntologyProperty:Dean202763360042014-07-08T13:10:41Z @@ -13886,9 +22175,10 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdf:type = | rdfs:subPropertyOf = | owl:equivalentProperty = | rdfs:subPropertyOf = dul:isPartOf -}}OntologyProperty:DeathAge2027538348892014-05-18T17:46:27Z{{DatatypeProperty +}}OntologyProperty:DeathAge2027538589042022-06-20T15:33:46Z{{DatatypeProperty | labels = {{label|en|death age}} +{{label|ur|موت کی عمر}} {{label|el|ηλικία θανάτου}} {{label|de|Sterbealter}} | rdfs:domain = Person @@ -13903,7 +22193,7 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:domain = Person | owl:equivalentProperty = wikidata:P509 | rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:DeathDate202765537792020-10-20T14:16:25Z{{DatatypeProperty +}}OntologyProperty:DeathDate202765560822021-10-02T16:38:37Z{{DatatypeProperty | labels = {{label|en|death date}} {{label|de|Sterbedatum}} @@ -13911,11 +22201,11 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|el|ημερομηνία_θανάτου}} {{label|ja|没年月日}} {{label|nl|sterfdatum}} -| rdfs:domain = Person +| rdfs:domain = Animal | rdfs:range = xsd:date | rdf:type = owl:FunctionalProperty | owl:equivalentProperty = schema:deathDate, wikidata:P570, gnd:dateOfDeath -}}OntologyProperty:DeathPlace202766536672020-07-30T21:20:29Z{{ObjectProperty +}}OntologyProperty:DeathPlace202766589062022-06-20T15:36:57Z{{ObjectProperty | labels = {{label|en|death place}} {{label|de|Sterbeort}} @@ -13923,9 +22213,11 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|el|τόπος_θανάτου}} {{label|ja|死没地}} {{label|nl|plaats van overlijden}} -| rdfs:domain = Person +{{label|ur|موت کی جگہ}} +| rdfs:domain = Animal | comments = {{comment|en|The place where the person died.}} +{{comment|ur|وہ جگہ جہاں شخص کی موت ہوئی۔}} | rdfs:range = Place | owl:equivalentProperty = schema:deathPlace, wikidata:P20 | rdfs:subPropertyOf = dul:hasLocation @@ -13940,13 +22232,33 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:range = xsd:gYear | rdf:type = owl:FunctionalProperty | owl:equivalentProperty = gnd:dateOfDeath -}}OntologyProperty:Debut202768348902014-05-18T17:46:57Z{{DatatypeProperty +}}OntologyProperty:Deaths20213105569752022-03-09T10:35:54Z{{ObjectProperty +| labels = + {{label|en|Deaths}} + {{label|fr|Décès}} + {{label|zh|死亡}} +| comments = + {{comment|en|Permanent, irreversible cessation of all biological functions that sustain a living organism}} + {{comment|fr|Arrêt permanent et irreversible de toutes les fonctions biologiques qui maintiennent en vie un organisme}} + {{comment|zh|是相對於生命體存在存活的生命現象,指维持一个生物生命存活的所有功能生物学功能的永久终止}} +| rdfs:domain = owl:Thing +| rdfs:range = Disease +}}OntologyProperty:Debut202768589082022-06-20T15:41:02Z{{DatatypeProperty | rdfs:label@en = debut | rdfs:label@el = ντεμπούτο | rdfs:label@de = Debüt | rdfs:label@ja = デビュー | rdfs:domain = Wrestler | rdfs:range = xsd:date +}} +{{DatatypeProperty +| labels = + +{{label|ur|شروع}} + +| rdfs:domain = Wrestler +| rdfs:range = xsd:date + }}OntologyProperty:DebutTeam202770360082014-07-08T13:11:14Z {{ObjectProperty | rdfs:label@en = debut team @@ -13961,10 +22273,21 @@ A hormone is any member of a class of signaling molecules produced by glands in {{comment|en|First work of a person (may be notableWork or not)}} | rdfs:domain = Person | rdfs:range = Work -}}OntologyProperty:Dec2026143462182015-03-18T11:04:18Z{{DatatypeProperty +}}OntologyProperty:Dec2026143589102022-06-20T16:01:08Z{{DatatypeProperty | rdfs:label@en = dec | rdfs:domain = Openswarm | rdfs:range = xsd:string +}} +{{DatatypeProperty +| labels = + +{{label|ur|یونانی لفظ سے ماخُوذ }} + +| rdfs:domain = Openswarm +| rdfs:range = xsd:string +| comments = + + }}OntologyProperty:Decay202772216512013-01-02T19:17:51Z{{DatatypeProperty | rdfs:label@en = decay | rdfs:label@el = αποσύνθεση @@ -13974,12 +22297,22 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@en = decide date | rdfs:domain = SupremeCourtOfTheUnitedStatesCase | rdfs:range = xsd:date -}}OntologyProperty:Declination2025342176742012-04-29T10:14:29Z{{ DatatypeProperty +}}OntologyProperty:Declination2025342589122022-06-20T16:05:21Z{{ DatatypeProperty | rdfs:label@en = declination | rdfs:domain = Constellation | rdfs:range = xsd:nonNegativeInteger +}} +{{DatatypeProperty +| labels = + +{{label|ur| زوال}} + +| rdfs:domain = Constellation +| rdfs:range = xsd:nonNegativeInteger + + }}OntologyProperty:DecommissioningDate2023105376162014-08-25T15:59:53Z{{DatatypeProperty | rdfs:label@en=decommissioning date | rdfs:label@es=fecha de baja de servicio @@ -13989,11 +22322,12 @@ A hormone is any member of a class of signaling molecules produced by glands in | labels = {{label|en|decoration}} | rdfs:domain = Person -}}OntologyProperty:Defeat2027588348922014-05-18T17:48:17Z{{DatatypeProperty +}}OntologyProperty:Defeat2027588589272022-06-20T16:48:50Z{{DatatypeProperty | labels = {{label|en|defeat}} {{label|el|ήττα}} {{label|de|Niederlage}} +{{label|ur|شکست}} | rdfs:domain = Boxer | rdfs:range = xsd:nonNegativeInteger }}OntologyProperty:DefeatAsMgr2027662491422015-10-13T09:49:25Z{{DatatypeProperty @@ -14010,30 +22344,47 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|en|definition}} {{label|tr|tanımlar}} | owl:equivalentProperty = gnd:definition -}}OntologyProperty:Defunct20211892522492017-10-08T08:48:54Z{{DatatypeProperty -| rdfs:domain = Company +}}OntologyProperty:Defunct20211892589322022-06-20T17:02:25Z{{DatatypeProperty +| labels = + +{{label|en|Defunct }} +{{label|ur|ناکارہ }} + +| rdfs:domain = company | rdfs:range = xsd:boolean | comments = {{comment|en|If the company is defunct or not. Use end_date if a date is given}} -}}OntologyProperty:DelegateMayor2027108360092014-07-08T13:11:22Z + +{{comment|ur|اگر کمپنی ناکارہ ہے یا نہیں۔ اگر تاریخ دی گئی ہو تو اختتامی_تاریخ استعمال کریں۔}} +}}OntologyProperty:DelegateMayor2027108589622022-06-20T18:12:37Z {{ObjectProperty | labels = {{label|en|delegate mayor}} +{{label|ur|مندوب ناظم}} + | rdfs:domain = PopulatedPlace | rdfs:range = Person | rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:Delegation2027284336162014-04-03T16:01:11Z{{DatatypeProperty +}}OntologyProperty:Delegation2027284574272022-04-17T20:48:22Z{{DatatypeProperty | labels = -{{label|en|delegation}} + {{label|en|delegation}} + {{label|fr|délégation}} | rdfs:domain = PopulatedPlace | rdfs:range = xsd:string -}}OntologyProperty:DeliveryDate2022548221262013-01-10T14:43:26Z{{DatatypeProperty +}}OntologyProperty:DeliveryDate2022548589352022-06-20T17:06:15Z{{DatatypeProperty |rdfs:label@en=delivery date |rdfs:label@nl=leverdatum |rdfs:range=xsd:date -}}OntologyProperty:Deme2027239258952013-06-12T14:03:24Z{{DatatypeProperty +}} +{{DatatypeProperty +| labels = + +{{label|ur| ادئیگی کی تاریخ}} + |rdfs:range=xsd:date +}}OntologyProperty:Deme2027239589612022-06-20T18:09:24Z{{DatatypeProperty | labels = {{label|en|deme}} +{{label|ur|محلّہ}} | rdfs:domain = PopulatedPlace | rdfs:range = xsd:string }}OntologyProperty:Demographics2027912335942014-04-03T15:34:01Z{{ObjectProperty @@ -14042,25 +22393,45 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|de|Demografie}} | rdfs:domain = PopulatedPlace | rdfs:range = Demographics -}}OntologyProperty:DemographicsAsOf2023809133242011-06-03T20:05:45Z{{DatatypeProperty +}}OntologyProperty:DemographicsAsOf2023809589372022-06-20T17:18:05Z{{DatatypeProperty | rdfs:label@en = demographics as of | rdfs:label@pt = indicadores demograficos em | rdfs:domain = PopulatedPlace | rdfs:range = xsd:date -}}OntologyProperty:DemolitionDate202774133692011-06-06T13:53:26Z{{DatatypeProperty -| rdfs:label@en = demolition date -| rdfs:label@el = ημερομηνία κατεδάφισης -| rdfs:domain = ArchitecturalStructure +}} +{{DatatypeProperty +| labels = + +{{label|ur|آبادیاتی}} + +| rdfs:domain = PopulatedPlace | rdfs:range = xsd:date -| rdfs:comment@en = The date the building was demolished. -}}OntologyProperty:DemolitionYear2023840222302013-01-10T23:18:00Z{{DatatypeProperty + + +}}OntologyProperty:DemolitionDate202774589592022-06-20T18:05:55Z{{DatatypeProperty | labels = -{{label|en|demolition year}} -{{label|nl|sloop jaar}} + {{label|en|demolition date}} + {{label|fr|date de démolition}} + {{label|el|ημερομηνία κατεδάφισης}} + {{label|ur|انہدام کی تاریخ}} + +| rdfs:domain = ArchitecturalStructure +| rdfs:range = xsd:date +| comments = + {{comment|en|The date the building was demolished.}} + {{comment|fr|Date à laquelle l'immeuble a été démoli.}} + {{comment|ur|جس تاریخ کو عمارت گرائی گئی۔}} +}}OntologyProperty:DemolitionYear2023840574282022-04-17T20:51:15Z{{DatatypeProperty +| labels = + {{label|en|demolition year}} + {{label|fr|année de démolition}} + {{label|nl|sloop jaar}} | rdfs:domain = ArchitecturalStructure | rdfs:range = xsd:gYear -| rdfs:comment@en = The year the building was demolished. -}}OntologyProperty:Demonym202775488842015-09-23T10:52:52Z{{DatatypeProperty +| comments = + {{comment|en|The year the building was demolished.}} + {{comment|fr|Année où le bâtiment a été démoli.}} +}}OntologyProperty:Demonym202775589452022-06-20T17:43:16Z{{DatatypeProperty | rdfs:label@en = demonym | rdfs:label@de = Volksbezeichnung | rdfs:label@el = τοπονύμιο_πληθυσμού @@ -14069,10 +22440,29 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@fr = démonyme | rdfs:label@nl = naam bevolkingsgroep | rdfs:range = rdf:langString -}}OntologyProperty:Denomination202776525852017-10-31T08:40:59Z +}} +{{DatatypeProperty +| labels = + +{{label|ur| ایک قصبے کے نام سے جانا جاتا}} + + +| rdfs:range = rdf:langString +}}OntologyProperty:Denomination202776589562022-06-20T17:59:07Z {{ObjectProperty | rdfs:label@en = denomination |rdfs:comment@en = Religious denomination of a church, religious school, etc. Examples: Haredi_Judaism, Sunni_Islam, Seventh-day_Adventist_Church, Non-Denominational, Multi-denominational, Non-denominational_Christianity +| rdfs:subPropertyOf = dul:isExpressedBy +| rdfs:domain = Agent +}} +{{ObjectProperty +| labels = + +{{label|ur|فرقہ}} +| comments = + + {{comment|ur| چرچ، مذہبی اسکول، وغیرہ کا مذہبی فرقہ۔ مثالیں: ہریدی_یہودیت، سنی_اسلام، سیونتھ ڈے_ایڈونٹسٹ_چرچ، غیر فرقہ وارانہ، کثیر فرقہ، غیر فرقہ_عیسائیت}} + | rdfs:subPropertyOf = dul:isExpressedBy | rdfs:domain = Agent }}OntologyProperty:Density202777353572014-06-18T22:31:54Z{{DatatypeProperty @@ -14084,7 +22474,7 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@ja = 密度 | rdfs:label@it= densità | rdfs:range = Density -}}OntologyProperty:Department202778528062018-02-08T13:36:12Z +}}OntologyProperty:Department202778589512022-06-20T17:46:51Z {{ObjectProperty | labels = {{label|en|department}} @@ -14092,12 +22482,14 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl|afdeling}} {{label|fr|département}} {{label|eu|eskualdea}} + {{label|ur|شعبہ}} | rdfs:domain = PopulatedPlace | rdfs:range = Department | rdfs:subPropertyOf = dul:isPartOf -}}OntologyProperty:DepartmentCode2029273325262014-03-10T15:29:00Z{{DatatypeProperty +}}OntologyProperty:DepartmentCode2029273589542022-06-20T17:53:54Z{{DatatypeProperty | labels = {{label|en|code of the department}} +{{label|en|محکمہ کا کوڈ}} {{label|nl|departementcode}} | rdfs:domain = Municipality | rdfs:range = xsd:string @@ -14151,12 +22543,16 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|de|abgeleitetes Wort}} | rdfs:domain = Person | rdfs:range = xsd:string -}}OntologyProperty:Description2025241536622020-07-30T21:16:08Z{{ DatatypeProperty - | rdfs:comment@en = Short description of a person - | rdfs:label@en = description - | rdfs:label@el = περιγραφή - | rdfs:label@de = Beschreibung - | rdfs:label@nl = omschrijving +}}OntologyProperty:Description2025241568942022-03-02T18:12:00Z{{ DatatypeProperty + | comments = +{{comment|en|Short description of a person}} +{{comment|fr|description courte d'une personne}} + | labels = +{{label|en|description}} +{{label|fr|description}} +{{label|el|περιγραφή}} +{{label|de|Beschreibung}} +{{label|nl|omschrijving}} | rdfs:range = rdf:langString | owl:equivalentProperty = schema:description }}OntologyProperty:DesignCompany202781525992017-10-31T10:21:44Z @@ -14178,11 +22574,12 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:domain = PublicTransitSystem | rdfs:range = PopulatedPlace | rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:DestructionDate202785224732013-01-12T23:09:14Z{{DatatypeProperty +}}OntologyProperty:DestructionDate202785574292022-04-17T20:52:36Z{{DatatypeProperty | labels = -{{label|en|destruction date}} -{{label|nl|sloopdatum}} -{{label|el|ημερομηνία καταστροφής}} + {{label|en|destruction date}} + {{label|fr|date de destruction}} + {{label|nl|sloopdatum}} + {{label|el|ημερομηνία καταστροφής}} | rdfs:range = xsd:date }}OntologyProperty:DetectionMethod2022146336022014-04-03T15:34:43Z{{DatatypeProperty | rdfs:label@en = Method of discovery @@ -14239,13 +22636,15 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:domain = Broadcaster | rdfs:range = xsd:string | rdfs:comment@en = In broadcasting, digital subchannels are a means to transmit more than one independent program at the same time from the same digital radio or digital television station on the same radio frequency channel. (http://en.wikipedia.org/wiki/Digital_subchannel - 05/04/2011) -}}OntologyProperty:Diocese2026482524482017-10-15T18:17:22Z{{ObjectProperty +}}OntologyProperty:Diocese2026482568112022-02-28T22:24:27Z{{ObjectProperty | labels = {{label|en|diocese}} + {{label|fr|diocèse}} {{label|de|Diözese}} {{label|nl|bisdom}} | comments = {{comment|en|A religious administrative body above the parish level}} + {{comment|fr|Structure administrative religieuse au-dessus du niveau paroissial}} | rdfs:domain = owl:Thing | rdfs:range = Diocese | rdf:type = | rdfs:subPropertyOf = @@ -14281,11 +22680,12 @@ A hormone is any member of a class of signaling molecules produced by glands in '''Warning''': this property is used for film making. For a more general term see [[OntologyProperty:Head]]. == references == -<references/>OntologyProperty:DisappearanceDate2027072255902013-05-26T12:12:20Z{{DatatypeProperty +<references/>OntologyProperty:DisappearanceDate2027072587832022-05-31T14:25:04Z{{DatatypeProperty | labels = {{label|en|date disappearance of a populated place}} | rdfs:domain = PopulatedPlace | rdfs:range = xsd:date +| owl:equivalentProperty = wikidata:P746 }}OntologyProperty:Disbanded20278979662010-05-28T13:00:02Z{{DatatypeProperty | rdfs:label@en = disbanded | rdfs:domain = MilitaryUnit @@ -14386,12 +22786,13 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:domain = AutomobileEngine | rdfs:range = Volume | rdf:type = owl:FunctionalProperty -}}OntologyProperty:DissolutionDate2022318536702020-07-30T21:23:35Z{{merge|dissolved|dissolutionYear}} +}}OntologyProperty:DissolutionDate2022318573682022-03-31T12:34:39Z{{merge|dissolved|dissolutionYear}} {{DatatypeProperty | labels = -{{label|en|dissolution date}} -{{label|nl|ontbindingsdatum}} + {{label|en|dissolution date}} + {{label|fr|date de dissolution}} + {{label|nl|ontbindingsdatum}} | rdfs:domain = Organisation, PopulatedPlace | rdfs:range = xsd:date | owl:equivalentProperty = schema:dissolutionDate @@ -14415,9 +22816,11 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@en = dist_pc | rdfs:domain = Openswarm | rdfs:range = xsd:integer -}}OntologyProperty:Distance202798185372012-05-19T16:11:43Z{{DatatypeProperty -| rdfs:label@en = distance -| rdfs:label@de = Entfernung +}}OntologyProperty:Distance202798574302022-04-17T20:54:21Z{{DatatypeProperty +| labels = + {{label|en|distance}} + {{label|fr|distance}} + {{label|de|Entfernung}} | rdfs:range = Length }}OntologyProperty:DistanceLaps202799103722010-11-10T14:28:31Z{{DatatypeProperty | rdfs:label@en = distance laps @@ -14465,9 +22868,11 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@el = απόσταση από το Λονδίνο | rdfs:domain = Settlement | rdfs:range = Length -}}OntologyProperty:DistanceToNearestCity20211783518392017-01-14T01:33:52Z{{DatatypeProperty -| rdfs:label@en = distance to nearest city -| rdfs:label@cs = vzdálenost k nejbližšímu městu +}}OntologyProperty:DistanceToNearestCity20211783572802022-03-30T13:29:33Z{{DatatypeProperty +| labels = + {{label|en|distance to nearest city}} + {{label|fr|distance à la ville la plus proche}} + {{label|cs|vzdálenost k nejbližšímu městu}} | rdfs:domain = Settlement | rdfs:range = Length }}OntologyProperty:DistanceTraveled202805336122014-04-03T15:35:27Z{{DatatypeProperty @@ -14547,11 +22952,12 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:domain = Document | rdfs:range = xsd:string | rdfs:subPropertyOf = -}}OntologyProperty:Domain202815360302014-07-08T13:14:41Z +}}OntologyProperty:Domain202815567672022-02-28T17:58:22Z {{ObjectProperty | labels = {{label|en|domain}} {{label|nl|domein}} + {{label|fr|domaine}} {{label|ja|ドメイン_(分類学)}} | rdfs:domain = Species | rdfs:subPropertyOf = dul:specializes @@ -14570,6 +22976,35 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@en = Dorlands suffix | rdfs:domain = AnatomicalStructure | rdfs:range = xsd:string +}}OntologyProperty:Dose20213122569782022-03-09T10:38:51Z{{DatatypeProperty +| labels = + {{label|en|Dose}} + {{label|fr|Dose}} + {{label|zh|剂量}} +| comments = + {{comment|en|Dose means quantity (in units of energy/mass) in the fields of nutrition, medicine, and toxicology. Dosage is the rate of application of a dose, although in common and imprecise usage, the words are sometimes used synonymously.}} + {{comment|fr|Dose signifie quantité (en unités d'énergie/masse) dans les domaines de la nutrition, la médecine et la toxicologie. Le dosage est le taux d'application d'une dose, bien que dans l'utilisation habituelle et imprécise qui en est faite, les mots sont quelques fois synonymes.}} +| rdfs:domain = owl:Thing +| rdfs:range = xsd:integer +| owl:equivalentProperty = dose +}}OntologyProperty:DosesFirst20213123567362022-02-28T15:19:48Z{{DatatypeProperty +| labels = + {{label|en|DosesFirst}} + {{label|fr|Premières doses}} +| comments = + {{comment|en|Number of first vaccine doses.}} + {{comment|fr|Nombre de premières doses.}} +| rdfs:domain = owl:Thing +| rdfs:range = xsd:integer +}}OntologyProperty:DosesSecond20213124567312022-02-28T15:02:43Z{{DatatypeProperty +| labels = + {{label|en|DosesSecond}} + {{label|fr|Secondes doses}} +| comments = + {{comment|en|Number of second vaccine doses.}} + {{comment|fr|Nombre de secondes doses de vaccin.}} +| rdfs:domain = owl:Thing +| rdfs:range = xsd:integer }}OntologyProperty:Draft202818185032012-05-19T15:47:08Z{{DatatypeProperty | rdfs:label@en = draft | rdfs:label@de = Entwurf @@ -14626,6 +23061,13 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:comment@en = The recommended dress code for an establishment or event. | rdfs:domain = Restaurant | rdfs:range = xsd:string +}}OntologyProperty:Drug20213110569802022-03-09T10:40:50Z{{DatatypeProperty +| labels = + {{label|en|Drug}} + {{label|fr|drogue}} + {{label|zh|药物}} +| rdfs:range = rdf:langString +| owl:equivalentProperty = schema:drug }}OntologyProperty:Drugbank202825191562012-07-31T19:18:39Z{{DatatypeProperty | rdfs:label@en = DrugBank | rdfs:label@ja = DrugBank @@ -14652,15 +23094,17 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@en = dubber | rdfs:comment@en = the person who dubs another person e.g. an actor or a fictional character in movies | rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:Duration2025670528342018-02-08T20:17:33Z{{Merge|runtime}} +}}OntologyProperty:Duration2025670573692022-03-31T12:38:27Z{{Merge|runtime}} {{DatatypeProperty | labels = {{label|en|duration}} + {{label|fr|durée}} {{label|de|Dauer}} {{label|nl|duur}} | comments = {{comment|en|The duration of the item (movie, audio recording, event, etc.) in ISO 8601 date format<ref name="schema:duration">http://schema.org/duration</ref>}} + {{comment|fr|Durée d'un élément (film, enregistrement audio, événement, etc.) au format de date ISO 8601<ref name="schema:duration"/>}} | rdfs:domain = | rdfs:range = Time | owl:equivalentProperty = schema:duration @@ -14792,10 +23236,11 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:domain = Person | rdfs:subPropertyOf = dul:sameSettingAs | owl:equivalentProperty = wikidata:P69 -}}OntologyProperty:EducationPlace2027757336312014-04-03T16:29:41Z{{ObjectProperty +}}OntologyProperty:EducationPlace2027757572922022-03-30T14:13:55Z{{ObjectProperty | labels = -{{label|en|education place}} -{{label|de|Bildungsstätte}} + {{label|en|education place}} + {{label|fr|lieu d'enseignement}} + {{label|de|Bildungsstätte}} | rdfs:domain = Person | rdfs:range = Place }}OntologyProperty:EducationSystem2023136360392014-07-08T13:16:07Z @@ -14841,12 +23286,16 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@en = election majority | rdfs:comment@en = number of votes the office holder attained | rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:ElementAbove2024605453042015-02-13T16:22:13Z{{ObjectProperty -| rdfs:label@en = element above -| rdfs:label@ru = элемент снизу -| rdfs:label@nl = hoger element -| rdfs:comment@en = element placed above current element in D.I.Mendeleev's table -| rdfs:comment@ru = Элемент снизу под текущим элементом в таблице Д.И.Менделеева +}}OntologyProperty:ElementAbove2024605574312022-04-17T21:01:48Z{{ObjectProperty +| labels = + {{label|en|element above}} + {{label|fr|élément supérieur}} + {{label|ru|элемент снизу}} + {{label|nl|hoger element}} +| comments = + {{comment|en|element placed above current element in D.I.Mendeleev's table}} + {{comment|fr|élément placé au-dessus de l'élément courant dans le tableau périodique des éléments de D.I.Mendeleev}} + {{comment|ru|Элемент снизу под текущим элементом в таблице Д.И.Менделеева}} | rdfs:domain = owl:Thing | rdfs:range = ChemicalSubstance | rdfs:subPropertyOf = dul:sameSettingAs @@ -15054,24 +23503,30 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:domain = FictionalCharacter | rdfs:range = Species | rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:Engine202843360462014-07-08T13:17:07Z -{{ObjectProperty -| rdfs:label@en = engine -| rdfs:label@de = Motor -| rdfs:label@el = μηχανή -| rdfs:label@pt = motor +}}OntologyProperty:Engine202843573712022-03-31T12:47:30Z{{ObjectProperty +| labels = + {{label|en|engine}} + {{label|fr|moteur}} + {{label|de|Motor}} + {{label|el|μηχανή}} + {{label|pt|motor}} | rdfs:domain = Automobile | rdfs:range = AutomobileEngine | rdfs:subPropertyOf = dul:hasComponent -}}OntologyProperty:EnginePower20211094456282015-03-11T11:52:25Z{{DatatypeProperty -| rdfs:label@en = engine power -| rdfs:label@nl = motorvermogen -| rdfs:comment@en = Power to be expressed in Watts (kiloWatt, megaWatt) +}}OntologyProperty:EnginePower20211094573732022-03-31T12:52:29Z{{DatatypeProperty +| labels = + {{label|en|engine power}} + {{label|fr|puissance du moteur}} + {{label|nl|motorvermogen}} +| comments = + {{comment|en|Power to be expressed in Watts (kiloWatt, megaWatt)}} + {{comment|fr|La puissance est exprimée en watts (kiloWatt, megaWatt)}} | rdfs:domain = MeanOfTransportation | rdfs:range = xsd:positiveInteger -}}OntologyProperty:EngineType2022538360472014-07-08T13:17:16Z -{{ObjectProperty -| rdfs:label@en = engine type +}}OntologyProperty:EngineType2022538573742022-03-31T12:53:50Z{{ObjectProperty +| labels = + {{label|en|engine type}} + {{label|fr|type de moteur}} | rdfs:domain = MeanOfTransportation | rdfs:subPropertyOf = dul:isClassifiedBy }}OntologyProperty:Engineer202844360482014-07-08T13:17:24Z @@ -15159,22 +23614,26 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@de = Gerechtigkeit | rdfs:domain = Company | rdfs:range = Currency -}}OntologyProperty:Era2022309360522014-07-08T13:18:12Z +}}OntologyProperty:Era2022309587822022-05-31T14:24:02Z {{ObjectProperty | rdfs:label@en = era | rdfs:label@el = εποχή | rdfs:domain = owl:Thing | rdfs:subPropertyOf = dul:isDescribedBy -}}OntologyProperty:Eruption2027062336482014-04-03T16:30:50Z{{DatatypeProperty +| owl:equivalentProperty = wikidata:P2348 +}}OntologyProperty:Eruption2027062573222022-03-31T09:48:23Z{{DatatypeProperty | labels = -{{label|en|eruption}} -{{label|de|Ausbruch}} + {{label|en|eruption}} + {{label|fr|éruption}} + {{label|de|Ausbruch}} | rdfs:domain = Island | rdfs:range = xsd:string -}}OntologyProperty:EruptionYear2022418252052013-05-16T13:18:41Z{{DatatypeProperty -| rdfs:label@en = eruption date -| rdfs:label@de = Jahr des letzten Ausbruchs -| rdfs:label@nl = jaar uitbarsting +}}OntologyProperty:EruptionYear2022418573232022-03-31T09:51:03Z{{DatatypeProperty +| labels = + {{label|en|eruption date}} + {{label|fr|année de la dernière éruption}} + {{label|de|Jahr des letzten Ausbruchs}} + {{label|nl|jaar uitbarsting}} | rdfs:domain = Volcano | rdfs:range = xsd:gYear }}OntologyProperty:Escalafon2027838271542013-07-05T16:09:17Z{{DatatypeProperty @@ -15195,16 +23654,19 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@de = etabliert | rdfs:domain = ChristianDoctrine | rdfs:range = xsd:string -}}OntologyProperty:Establishment2026164337192014-04-03T16:41:01Z{{DatatypeProperty -| rdfs:label@en = Establishment +}}OntologyProperty:Establishment2026164574322022-04-17T21:04:02Z{{DatatypeProperty +| labels = + {{label|en|Establishment}} + {{label|fr|Etablissement}} | rdfs:domain = ChristianDoctrine | rdfs:range = xsd:integer | rdfs:label@el = ίδρυση - }}OntologyProperty:EthnicGroup202851360532014-07-08T13:18:20Z -{{ObjectProperty -| rdfs:label@en = ethnic group -| rdfs:label@de = ethnie -| rdfs:label@it = etnia + }}OntologyProperty:EthnicGroup202851569972022-03-09T12:12:28Z{{ObjectProperty +| labels = + {{label|en|ethnic group}} + {{label|fr|groupe ethnique}} + {{label|de|ethnie}} + {{label|it|etnia}} | rdfs:domain = PopulatedPlace | rdfs:range = EthnicGroup | rdfs:subPropertyOf = dul:isLocationOf @@ -15253,27 +23715,33 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@pt = data de entrada na uniao europeia | rdfs:domain = Country | rdfs:range = xsd:date -}}OntologyProperty:Event202854536952020-09-04T15:20:30Z{{ObjectProperty -| rdfs:label@en = event -| rdfs:label@de = Veranstaltung -| rdfs:label@pt = evento +}}OntologyProperty:Event202854573292022-03-31T10:10:19Z{{ObjectProperty +| labels = + {{label|en|event}} + {{label|fr|événement}} + {{label|de|Veranstaltung}} + {{label|pt|evento}} | rdfs:range = Event | rdfs:subPropertyOf = dul:hasParticipant | owl:equivalentProperty = schema:event, ceo:heeftGebeurtenis -}}OntologyProperty:EventDate2027178537952020-10-26T23:31:17Z{{DatatypeProperty +}}OntologyProperty:EventDate2027178573242022-03-31T09:53:21Z{{DatatypeProperty | labels = -{{label|en|event date}} -{{label|de|Veranstaltungstermin}} + {{label|en|event date}} + {{label|fr|date de l'événement}} + {{label|de|Veranstaltungstermin}} | rdfs:domain = Place | rdfs:range = xsd:date | owl:equivalentProperty = gnd:dateOfConferenceOrEvent -}}OntologyProperty:EventDescription20211318488012015-09-05T20:10:21Z{{DatatypeProperty +}}OntologyProperty:EventDescription20211318573252022-03-31T09:57:38Z{{DatatypeProperty | labels = -{{label|en|event description}} -{{label|nl|beschrijving gebeurtenis}} + {{label|en|event description}} + {{label|fr|description de l'événement}} + {{label|nl|beschrijving gebeurtenis}} | rdfs:domain = HistoricPlace | rdfs:range = xsd:string -| rdfs:comment = This is to describe the event that hapened here (in case there is no event resource to be linked to) +| comments = + {{comment|en|This is to describe the event that hapened here (in case there is no event resource to be linked to)}} + {{comment|fr|Sert à décrire l'événement qui s'est passé ici (dans le cas où il n'y a pas de ressource liée d'événement)}} }}OntologyProperty:ExecutiveHeadteacher202855360582014-07-08T13:19:13Z {{ObjectProperty | rdfs:label@en = executive headteacher @@ -15286,11 +23754,13 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@de = Ausführender Produzent | rdfs:range = Person | rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:Exhibition20210401393432015-01-16T20:20:54Z{{DatatypeProperty +}}OntologyProperty:Exhibition20210401573262022-03-31T10:00:57Z{{DatatypeProperty | comments= -{{comment|en|Notes about an exhibition the object has been to}} + {{comment|en|Notes about an exhibition the object has been to}} + {{comment|fr|Notes relatives à l'exposition dont l'objet a fait partie}} | labels= -{{label|en|exhibition}} + {{label|en|exhibition}} + {{label|fr|exposition}} | rdfs:domain = owl:Thing | rdfs:range = xsd:string }}OntologyProperty:Existence2027934336562014-04-03T16:31:22Z{{ObjectProperty @@ -15301,17 +23771,19 @@ A hormone is any member of a class of signaling molecules produced by glands in |comments = {{comment|el|Το είναι αντικατοπτρίζει αυτό που υπάρχει.}} | rdfs:range = owl:Thing -}}OntologyProperty:Expedition2027631336572014-04-03T16:31:26Z{{DatatypeProperty +}}OntologyProperty:Expedition2027631573272022-03-31T10:02:35Z{{DatatypeProperty | labels = -{{label|en|expedition}} -{{label|de|Expedition}} + {{label|en|expedition}} + {{label|fr|expédition}} + {{label|de|Expedition}} | rdfs:domain = Person | rdfs:range = xsd:string -}}OntologyProperty:Explorer2024443360602014-07-08T13:19:30Z -{{ObjectProperty -| rdfs:label@en = explorer -| rdfs:label@de = Erforscher -| rdfs:label@tr = kaşif +}}OntologyProperty:Explorer2024443573282022-03-31T10:06:43Z{{ObjectProperty +| labels = + {{label|en|explorer}} + {{label|fr|explorateur}} + {{label|de|Erforscher}} + {{label|tr|kaşif}} | rdfs:range = owl:Thing | rdfs:domain = Galaxy | rdfs:subPropertyOf = dul:coparticipatesWith @@ -15331,13 +23803,15 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:domain = Species | rdfs:range = xsd:gYear | rdfs:comment@en = !!! Do NOT use this property for non Species related dates!!! - Year this species went extinct. -}}OntologyProperty:EyeColor2023292528392018-02-08T20:28:26Z{{DatatypeProperty -| rdfs:label@en = eye color -| rdfs:label@el = χρώμα ματιού -| rdfs:label@de = Augenfarbe -| rdfs:label@ga = dath súile -| rdfs:label@pl = kolor oczu -| rdfs:label@pt = cor dos olhos +}}OntologyProperty:EyeColor2023292573302022-03-31T10:13:14Z{{DatatypeProperty +| labels = + {{label|en|eye color}} + {{label|fr|couleur des yeux}} + {{label|el|χρώμα ματιού}} + {{label|de|Augenfarbe}} + {{label|ga|dath súile}} + {{label|pl|kolor oczu}} + {{label|pt|cor dos olhos}} | rdfs:domain = Person | rdfs:range = xsd:string | rdfs:subPropertyOf = @@ -15348,14 +23822,17 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|de|Augenfarbe}} | rdfs:domain = Person | rdfs:range = xsd:string -}}OntologyProperty:Eyes2026814336602014-04-03T16:31:36Z{{DatatypeProperty +}}OntologyProperty:Eyes2026814573332022-03-31T10:34:11Z{{DatatypeProperty | labels = {{label|en|eyes}} -{{label|de|Augen}} + {{label|fr|yeux}} + {{label|de|Augen}} {{label|el|μάτια}} {{label|nl| ogen}} | comments = + {{comment|en|The eye is called the sensory organ of sight in living organisms.}} {{comment|el|Μάτι ονομάζεται το αισθητήριο όργανο της όρασης των ζωντανών οργανισμών.}} + {{comment|fr|L'œil est appelé l'organe sensoriel de la vue des organismes vivants.}} | rdfs:domain = FictionalCharacter | rdfs:range = xsd:string }}OntologyProperty:FaaLocationIdentifier202215983722010-05-28T13:55:33Z{{DatatypeProperty @@ -15375,7 +23852,7 @@ A hormone is any member of a class of signaling molecules produced by glands in }}OntologyProperty:FailedLaunches202861103682010-11-10T14:25:27Z{{DatatypeProperty | rdfs:label@en = failed launches | rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:Family202862360622014-07-08T13:19:46Z +}}OntologyProperty:Family202862587772022-05-31T13:50:34Z {{ObjectProperty | labels = {{label|en|family}} @@ -15387,7 +23864,7 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|科_(分類学)}} | rdfs:domain = Species | rdfs:range = Species -| owl:equivalentProperty = wikidata:P71 +| owl:equivalentProperty = wikidata:P53 | rdfs:subPropertyOf = dul:specializes }}OntologyProperty:FamilyMember2029294336612014-04-03T16:31:40Z{{ObjectProperty |labels = @@ -15400,13 +23877,17 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@en = fansgroup | rdfs:domain = SoccerClub | rdfs:range = xsd:string -}}OntologyProperty:FareZone2023248120722011-04-08T10:49:33Z{{DatatypeProperty -| rdfs:label@en = fare zone -| rdfs:label@de = Tarifzone +}}OntologyProperty:FareZone2023248568662022-03-01T20:38:53Z{{DatatypeProperty +| labels = + {{label|en|fare zone}} + {{label|fr|zone de tarification}} + {{label|de|Tarifzone}} | rdfs:domain = Station | rdfs:range = xsd:string -| rdfs:comment@en = The fare zone in which station is located. -| rdfs:comment@de = Die Tarifzone zu der die Station gehört. +| comments = + {{comment|en|The fare zone in which station is located.}} + {{comment|fr|Zone de tarification à laquelle appartient la gare.}} + {{comment|de|Die Tarifzone zu der die Station gehört.}} }}OntologyProperty:FastestDriver202864360632014-07-08T13:19:54Z {{ObjectProperty | rdfs:label@en = fastest driver @@ -15456,9 +23937,10 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@de = Schicksal | rdfs:domain = Company | rdfs:range = rdf:langString -}}OntologyProperty:Father2027545535842020-01-30T11:12:13Z{{ObjectProperty +}}OntologyProperty:Father2027545574332022-04-17T21:04:57Z{{ObjectProperty | labels = {{label|en|father}} + {{label|fr|père}} {{label|de|Vater}} | rdfs:domain = Man | rdfs:range = Person @@ -15514,6 +23996,16 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:range = Work | rdfs:comment@en = | rdfs:subPropertyOf = dul:hasPart +}}OntologyProperty:Featuring20213819570882022-03-12T11:07:57Z{{ObjectProperty +| labels = + {{label|en|featuring}} + {{label|fr|featuring}} +| comments = + {{comment|en|Name of the second artist, apart the main artist, reserved preferently for singles, promotional singles and songs.}} + {{comment|fr|Nom du second artiste, autre que l'artiste principal. À réserver de préférence aux singles, singles promotionnels et chansons.}} +| rdfs:domain = MusicalWork +| rdfs:range = Agent +| rdfs:subPropertyOf = artist }}OntologyProperty:FedCup2027740270222013-07-04T13:13:50Z{{DatatypeProperty | labels = {{label|en|fed cup}} @@ -15563,9 +24055,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|en|fighter}} {{label|de|Kämpfer}} | rdfs:range = xsd:string -}}OntologyProperty:FileExtension2029398354752014-06-26T06:36:09Z{{DatatypeProperty +}}OntologyProperty:FileExtension2029398567872022-02-28T21:16:14Z{{DatatypeProperty | labels= {{label|en|The extension of this file}} +{{label|fr|Extension de ce fichier}} | rdfs:domain = File | rdfs:range = xsd:string }}OntologyProperty:FileSize2021432511192016-05-25T12:07:58Z{{DatatypeProperty @@ -15577,9 +24070,10 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:comment@el = μέγεθος ενός ηλεκτρονικού αρχείου | rdfs:domain = Work | rdfs:range = InformationUnit -}}OntologyProperty:FileURL2029684357292014-07-04T21:10:02Z{{ObjectProperty +}}OntologyProperty:FileURL2029684567882022-02-28T21:17:33Z{{ObjectProperty |labels = {{label|en|The URL at which this file can be downloaded}} +{{label|fr|URL de téléchargement du fichier}} |rdfs:domain = File |rdfs:range = File }}OntologyProperty:Filename2026229511202016-05-25T12:09:10Z{{DatatypeProperty @@ -15591,8 +24085,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|fr| nom de fichier}} | rdfs:domain = Work | rdfs:range = xsd:string -}}OntologyProperty:FillingStation20211140461812015-03-18T08:43:55Z{{ObjectProperty -| rdfs:label@en = filling station +}}OntologyProperty:FillingStation20211140573782022-03-31T13:03:35Z{{ObjectProperty +| labels = + {{label|en|filling station}} + {{label|fr|station service}} | rdfs:domain = RestArea | rdfs:range = FillingStation }}OntologyProperty:Film202876523402017-10-10T13:41:29Z @@ -15628,8 +24124,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|en|film number}} | rdfs:domain = Person | rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:FilmPolskiId2022467528742018-02-13T10:38:58Z{{DatatypeProperty -| rdfs:label@en = FilmPolski.pl id +}}OntologyProperty:FilmPolskiId2022467567862022-02-28T21:14:54Z{{DatatypeProperty +| labels = + {{label|en|FilmPolski.pl id}} + {{label|fr|id de FilmPolski.pl}} | rdfs:range = xsd:string | rdfs:subPropertyOf = code }}OntologyProperty:FilmRuntime2027865528312018-02-08T20:14:29Z{{Merge|duration}} @@ -15774,9 +24272,11 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@de = erstes Spiel | rdfs:domain = SoccerClub | rdfs:range = xsd:string -}}OntologyProperty:FirstLaunch202887336862014-04-03T16:33:51Z{{DatatypeProperty -| rdfs:label@en = first launch -| rdfs:label@de = erster Start +}}OntologyProperty:FirstLaunch202887574342022-04-17T21:07:00Z{{DatatypeProperty +| labels = + {{label|en|first launch}} + {{label|fr|premier lancement}} + {{label|de|erster Start}} | rdfs:domain = YearInSpaceflight | rdfs:range = xsd:date }}OntologyProperty:FirstLaunchDate202888336872014-04-03T16:33:56Z{{DatatypeProperty @@ -15820,9 +24320,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|es|primer dueño}} | rdfs:range = Agent | rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:FirstPlace2028082336912014-04-03T16:34:12Z{{DatatypeProperty +}}OntologyProperty:FirstPlace2028082567922022-02-28T21:32:31Z{{DatatypeProperty | labels = {{label|en|first place}} +{{label|fr|première place}} {{label|de|erster Platz}} | rdfs:domain = owl:Thing | rdfs:range = xsd:string @@ -15838,12 +24339,13 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|de|erstes Profispiel}} | rdfs:domain = Athlete | rdfs:range = xsd:string -}}OntologyProperty:FirstPublicationDate2023742222812013-01-11T09:54:24Z{{DatatypeProperty +}}OntologyProperty:FirstPublicationDate2023742568252022-03-01T00:20:07Z{{DatatypeProperty | labels = {{label|en|first publication date}} {{label|nl|eerste publicatiedatum}} {{label|de|Datum der Erstausgabe}} {{label|pl|data pierwszego wydania}} +{{label|fr|date de la première publication}} | rdfs:domain = WrittenWork | rdfs:range = xsd:date | rdfs:comment@en = Date of the first publication. @@ -15937,8 +24439,10 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:comment@en = lowest temperature at which a substance can vaporize and start burning | rdfs:domain = ChemicalSubstance | rdfs:range = xsd:integer -}}OntologyProperty:FloodingDate202219783772010-05-28T13:56:11Z{{DatatypeProperty -| rdfs:label@en = flooding date +}}OntologyProperty:FloodingDate2022197573812022-03-31T13:10:14Z{{DatatypeProperty +| labels = + {{label|en|flooding date}} + {{label|fr|date d'innondation}} | rdfs:range = xsd:date }}OntologyProperty:FloorArea202894224172013-01-11T22:43:01Z{{DatatypeProperty | labels = @@ -15960,11 +24464,12 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|de|Flora}} | rdfs:domain = Place | rdfs:range = xsd:string -}}OntologyProperty:Flower2027134337012014-04-03T16:34:55Z{{ObjectProperty +}}OntologyProperty:Flower2027134573792022-03-31T13:07:13Z{{ObjectProperty | labels = -{{label|en|flower}} -{{label|de|Blume}} -{{label|el|λουλούδι}} + {{label|en|flower}} + {{label|fr|fleur}} + {{label|de|Blume}} + {{label|el|λουλούδι}} | rdfs:domain = Place | rdfs:range = Species }}OntologyProperty:FlyingHours2022144337022014-04-03T16:35:00Z{{DatatypeProperty @@ -15994,7 +24499,7 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|fr|prénom}} |rdfs:domain = owl:Thing |rdfs:range = rdf:langString -}}OntologyProperty:Foaf:homepage2021614491572015-10-13T15:23:16Z{{ObjectProperty +}}OntologyProperty:Foaf:homepage2021614549192021-09-06T10:06:25Z{{ObjectProperty | labels = {{label|en|homepage}} {{label|de|Homepage}} @@ -16005,8 +24510,9 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ga|líonláithreán}} {{label|ja|ホームページ}} {{label|pl|strona domowa}} -| rdfs:domain = Website +| rdfs:domain = owl:Thing | rdfs:range = Website +| owl:equivalentProperty = wikidata:P856 }}OntologyProperty:Foaf:img2025086455482015-03-08T10:59:56Z{{ObjectProperty | labels = {{label|en|image}} @@ -16031,7 +24537,7 @@ A hormone is any member of a class of signaling molecules produced by glands in |comments= {{comment|en|foaf:mbox is supposed to be in URI form so we could prepend mailto: and declare it an ObjectProperty}} |rdfs:range=xsd:string -}}OntologyProperty:Foaf:name2021615478242015-04-28T15:32:47Z{{DatatypeProperty +}}OntologyProperty:Foaf:name2021615548962021-08-06T13:30:50Z{{DatatypeProperty |labels= {{label|en|name}} {{label|de|Name}} @@ -16044,6 +24550,7 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|nl|naam}} {{label|pl|nazwa}} {{label|it|nome}} + {{label|ur|نام}} | rdfs:domain = owl:Thing | rdfs:range = rdf:langString | owl:equivalentProperty = schema:name @@ -16096,11 +24603,13 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|画像}} |rdfs:domain = owl:Thing |rdfs:range = Image -}}OntologyProperty:Foaf:topic2025759282752013-09-06T09:19:24Z{{ObjectProperty +}}OntologyProperty:Foaf:topic2025759567852022-02-28T21:12:35Z{{ObjectProperty |labels= {{label|en|A topic of some page or document. <ref name="foaf:topic">http://xmlns.com/foaf/spec/#term_topic</ref>}} +{{label|fr|Un sujet d'une page ou d'un document. <ref name="foaf:topic">http://xmlns.com/foaf/spec/#term_topic</ref>}} |comments= {{comment|en|Inverse of [[OntologyProperty:Foaf:page|foaf:page]]. <ref name="foaf:topic"/>}} +{{comment|fr|Inverse de [[OntologyProperty:Foaf:page|foaf:page]]. <ref name="foaf:topic"/>}} |rdfs:domain = owl:Thing }} @@ -16182,20 +24691,26 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|pl|format}} | rdfs:comment@en = Format of the resource (as object). Use dct:format for literal, format for object | rdfs:subPropertyOf = dul:isClassifiedBy -}}OntologyProperty:FormationDate202898475742015-04-03T09:23:55Z{{DatatypeProperty +}}OntologyProperty:FormationDate202898573832022-03-31T13:16:35Z{{DatatypeProperty | labels = -{{label|en|formation date}} -{{label|nl|formatie datum}} -{{label|el|Ιδρύθηκε}} + {{label|en|formation date}} + {{label|fr|date de formation}} + {{label|nl|formatie datum}} + {{label|el|Ιδρύθηκε}} | rdfs:domain = Organisation | rdfs:range = xsd:date -| rdfs:comment@en = same as [[OntologyProperty:FoundingDate]]? +| comments = + {{comment|en|same as [[OntologyProperty:FoundingDate]]?}} + {{comment|fr|est-ce la même chose que [[OntologyProperty:FoundingDate]] ?}} | owl:equivalentProperty = wikidata:P571 -}}OntologyProperty:FormationYear202899223732013-01-11T20:58:36Z{{DatatypeProperty +}}OntologyProperty:FormationYear202899573822022-03-31T13:13:56Z{{DatatypeProperty | labels = -{{label|en|formation year}} -{{label|nl|formatie jaar}} -| rdfs:comment@en = equivalent / sub property of [[OntologyProperty:foundingYear]]? + {{label|en|formation year}} + {{label|fr|année de formation}} + {{label|nl|formatie jaar}} +| comments = + {{comment|en|equivalent / sub property of [[OntologyProperty:foundingYear]]?}} + {{comment|fr|est-ce un équivalent ou une sous-propriété de [[OntologyProperty:foundingYear]]?}} | rdfs:domain = Organisation | rdfs:range = xsd:gYear }}OntologyProperty:FormerBandMember2024347360902014-07-08T13:23:55Z @@ -16227,10 +24742,12 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@en = former channel | rdfs:domain = Broadcaster | rdfs:range = xsd:string -}}OntologyProperty:FormerChoreographer202901360922014-07-08T13:24:12Z +}}OntologyProperty:FormerChoreographer202901572932022-03-30T14:16:53Z {{ObjectProperty -| rdfs:label@en = former choreographer -| rdfs:label@de = ehemaliger Choreograph +| labels = + {{label|en|former choreographer}} + {{label|fr|choréographe précédent}} + {{label|de|ehemaliger Choreograph}} | rdfs:domain = FigureSkater | rdfs:range = Person | rdfs:subPropertyOf = dul:coparticipatesWith @@ -16253,10 +24770,12 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@de = früherer Name | rdfs:label@el = προηγούμενο όνομα | rdfs:range = rdf:langString -}}OntologyProperty:FormerPartner202905360952014-07-08T13:24:37Z +}}OntologyProperty:FormerPartner202905572942022-03-30T14:18:54Z {{ObjectProperty -| rdfs:label@en = former partner -| rdfs:label@de = ehemaliger Partner +| labels = + {{label|en|former partner}} + {{label|fr|partenaire précédent}} + {{label|de|ehemaliger Partner}} | rdfs:domain = FigureSkater | rdfs:range = Person | rdfs:subPropertyOf = dul:coparticipatesWith @@ -16352,9 +24871,10 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:domain = Settlement | rdfs:range = PopulatedPlace | rdfs:subPropertyOf = dul:hasPart -}}OntologyProperty:Free2026820337992014-04-04T14:08:33Z{{DatatypeProperty +}}OntologyProperty:Free2026820567842022-02-28T21:10:15Z{{DatatypeProperty | labels = {{label|en|free}} +{{label|fr|libre}} | rdfs:domain = FictionalCharacter | rdfs:range = xsd:string }}OntologyProperty:FreeDanseScore2028077282402013-09-04T09:18:12Z{{DatatypeProperty @@ -16403,9 +24923,11 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:range = xsd:string | rdfs:comment@en = The frequency of periodical publication (eg. Weekly, Bimonthly). | rdfs:comment@de = Die Häufigkeit der Erscheinungen des Periodikums (z.B. wöchentlich, monatlich). -}}OntologyProperty:FrequentlyUpdated202916337292014-04-04T13:52:23Z{{DatatypeProperty -| rdfs:label@en = frequently updated -| rdfs:label@de = häufig aktualisiert +}}OntologyProperty:FrequentlyUpdated202916573852022-03-31T13:20:46Z{{DatatypeProperty +| labels = + {{label|en|frequently updated}} + {{label|fr|mise à jour fréquente}} + {{label|de|häufig aktualisiert}} | rdfs:domain = Software | rdfs:range = xsd:string }}OntologyProperty:Friend2027883337302014-04-04T13:52:27Z{{ObjectProperty @@ -16563,12 +25085,15 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:domain = MilitaryUnit | rdfs:range = PopulatedPlace | rdfs:subPropertyOf = dul:hasLocation -}}OntologyProperty:GasChambers20211701512362016-06-09T10:03:00Z{{DatatypeProperty +}}OntologyProperty:GasChambers20211701567492022-02-28T16:37:28Z{{DatatypeProperty | labels = -{{label|en|gas chambers}} + {{label|en|gas chambers}} + {{label|fr|chambres à gaz}} | rdfs:domain = ConcentrationCamp | rdfs:range = xsd:string -| rdfs:comment@en = Number or description of gas chambers of a ConcentrationCamp +|comments = + {{comment|en|Number or description of gas chambers of a ConcentrationCamp}} + {{comment|fr|Nombre ou description des chambres à gaz d'un camp de concentration}} }}OntologyProperty:GaudiAward2022496361102014-07-08T13:27:03Z {{ObjectProperty | rdfs:label@en = Gaudí Award @@ -16651,7 +25176,7 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:comment@en = the edition of the database used (i.e. hg19) | rdfs:domain = GeneLocation | rdfs:range = xsd:string -}}OntologyProperty:Genre202932476152015-04-03T10:07:44Z{{ObjectProperty +}}OntologyProperty:Genre202932570462022-03-09T15:56:57Z{{ObjectProperty | labels = {{label|en|genre}} {{label|de|Genre}} @@ -16661,7 +25186,9 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|ジャンル}} {{label|pl|gatunek}} {{label|es|género}} -| rdfs:comment@en = The genre of the thing (music group, film, etc.) +| comments = + {{comment|en|The genre of the thing (music group, film, etc.)}} + {{comment|fr|Genre de chose (groupe musical, film, etc.)}} | rdfs:range = Genre | rdfs:domain = owl:Thing | owl:equivalentProperty = schema:genre, wikidata:P136 @@ -16707,8 +25234,9 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|en|geolocdual}} | rdfs:domain = Place | rdfs:range = xsd:string -}}OntologyProperty:GeologicPeriod202127481982010-05-28T13:31:58Z{{DatatypeProperty +}}OntologyProperty:GeologicPeriod2021274567502022-02-28T16:38:35Z{{DatatypeProperty | rdfs:label@en = geologic period +| rdfs:label@fr = période géologique | rdfs:domain = Place | rdfs:range = xsd:string }}OntologyProperty:Geology202934337442014-04-04T13:53:44Z{{DatatypeProperty @@ -17078,7 +25606,7 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|en|gym apparatus}} {{label|de|Fitnessgerät}} | rdfs:domain = Person -}}OntologyProperty:HairColor2023293528552018-02-08T20:44:27Z{{DatatypeProperty +}}OntologyProperty:HairColor2023293587802022-05-31T14:04:03Z{{DatatypeProperty | rdfs:label@en = hair color | rdfs:label@de = Haarfarbe | rdfs:label@ga = dath na gruaige @@ -17086,10 +25614,12 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:label@pt = cor do cabelo | rdfs:domain = Person | rdfs:range = xsd:string +| owl:equivalentProperty = wikidata:P1884 | rdfs:subPropertyOf = -}}OntologyProperty:HairColour2027748337562014-04-04T13:54:34Z{{DatatypeProperty +}}OntologyProperty:HairColour2027748568272022-03-01T00:27:05Z{{DatatypeProperty | labels = {{label|en|hair colour}} +{{label|fr|couleur des cheveux}} {{label|de|Haarfarbe}} | rdfs:domain = Person | rdfs:range = xsd:string @@ -17412,10 +25942,11 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|de|historischer Name}} | rdfs:domain = Place | rdfs:range = rdf:langString -}}OntologyProperty:HistoricalRegion2027314337722014-04-04T13:55:39Z{{DatatypeProperty +}}OntologyProperty:HistoricalRegion2027314567482022-02-28T16:31:59Z{{DatatypeProperty | labels = -{{label|en|historical region}} -{{label|de|historische Region}} + {{label|en|historical region}} + {{label|fr|région historique}} + {{label|de|historische Region}} | rdfs:domain = PopulatedPlace | rdfs:range = xsd:string }}OntologyProperty:Hof2027664269632013-07-04T09:31:54Z{{DatatypeProperty @@ -17423,11 +25954,12 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|en|hof}} | rdfs:domain = Athlete | rdfs:range = xsd:string -}}OntologyProperty:Homage2027582455022015-03-04T13:39:51Z{{DatatypeProperty +}}OntologyProperty:Homage2027582570182022-03-09T12:54:47Z{{DatatypeProperty | labels = -{{label|en|homage}} -{{label|de|Huldigung}} -{{label|nl|eerbetoon}} + {{label|en|homage}} + {{label|fr|page d'accueil}} + {{label|de|Huldigung}} + {{label|nl|eerbetoon}} | rdfs:domain = Person | rdfs:range = xsd:string }}OntologyProperty:HomeArena2022754361582014-07-08T13:54:02Z @@ -17482,10 +26014,10 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|en|horse riding discipline}} | rdfs:domain = Athlete | rdfs:range = Sport -}}OntologyProperty:House202979361632014-07-08T13:55:21Z -{{ObjectProperty +}}OntologyProperty:House202979574352022-04-17T21:08:59Z{{ObjectProperty | labels = {{label|en|house}} + {{label|fr|maison}} {{label|el|σπίτι}} | rdfs:domain = Legislature | rdfs:range = Legislature @@ -17685,7 +26217,7 @@ A hormone is any member of a class of signaling molecules produced by glands in | owl:equivalentProperty = schema:illustrator, wikidata:P110 | rdfs:comment@en = Illustrator (where used throughout and a major feature) | rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:ImageSize2025194515312016-09-24T10:27:54Z{{DatatypeProperty +}}OntologyProperty:ImageSize2025194571122022-03-12T20:52:58Z{{DatatypeProperty |labels = {{label|en|image size (px)}} {{label|nl|afbeeldingsgrootte (px)}} @@ -17694,7 +26226,9 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|ja|イメージサイズ (px2)}} {{label|fr|taille de l'image (px)}} {{label|es|tamaño de la imagen (px)}} -| rdfs:comment@en = the image size expressed in pixels +| comments = + {{comment|en|the image size expressed in pixels}} + {{comment|fr|taille de l'image en pixels}} | rdfs:domain = owl:Thing | rdfs:range = xsd:integer }}OntologyProperty:ImdbId202988528632018-02-13T08:37:57Z{{DatatypeProperty @@ -17791,10 +26325,12 @@ A hormone is any member of a class of signaling molecules produced by glands in | rdfs:domain = Company | rdfs:subPropertyOf = dul:isClassifiedBy | owl:equivalentProperty = wikidata:P452 -}}OntologyProperty:InfantMortality2023806337832014-04-04T13:56:27Z{{DatatypeProperty -| rdfs:label@en = infant mortality -| rdfs:label@de = Säuglingssterblichkeit -| rdfs:label@pt = mortalidade infantil +}}OntologyProperty:InfantMortality2023806570192022-03-09T12:55:40Z{{DatatypeProperty +| labels = + {{label|en|infant mortality}} + {{label|fr|mortalité infantile}} + {{label|de|Säuglingssterblichkeit}} + {{label|pt|mortalidade infantil}} | rdfs:domain = PopulatedPlace | rdfs:range = xsd:float }}OntologyProperty:Inflow202991524572017-10-15T20:46:33Z{{ObjectProperty @@ -17833,12 +26369,16 @@ A hormone is any member of a class of signaling molecules produced by glands in {{label|en|information name}} | rdfs:domain = Place | rdfs:range = xsd:string -}}OntologyProperty:Ingredient2023932487532015-08-13T09:52:13Z{{ObjectProperty -| rdfs:label@en = ingredient -| rdfs:label@de = Zutat +}}OntologyProperty:Ingredient2023932574372022-04-17T21:14:18Z{{ObjectProperty +| labels = + {{label|en|ingredient}} + {{label|fr|ingrédient}} + {{label|de|Zutat}} | rdfs:domain = Food | rdfs:range = owl:Thing -| rdfs:comment@en = Main ingredient used to prepare a specific Food or Beverage. For strings use ingredientName, for objects use ingredient. +| comments = + {{comment|en|Main ingredient used to prepare a specific Food or Beverage. For strings use ingredientName, for objects use ingredient.}} + {{comment|fr|Ingrédient principal utilisé pour préparer une alimentation spécifique ou une boisson. Pour les chaînes de caractères, utiliser ingredientName, pour les objets utiliser ingredient.}} | rdfs:subPropertyOf = dul:hasPart }}OntologyProperty:IngredientName20211298487522015-08-13T09:52:02Z{{DatatypeProperty | rdfs:label@en = ingredient name (literal) @@ -17962,12 +26502,26 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:IsHandicappedAccessible2023246120692011-04-08T10:28:12Z{{DatatypeProperty -| rdfs:label@en = is handicapped accessible -| rdfs:label@de = ist rollstuhlgerecht +}}OntologyProperty:IsHandicappedAccessible2023246568672022-03-01T20:42:20Z{{DatatypeProperty +| labels = + {{label|en|is handicapped accessible}} + {{label|fr|accessible aux handicapés}} + {{label|de|ist rollstuhlgerecht}} | rdfs:domain = Station | rdfs:range = xsd:boolean -| rdfs:comment@en = True if the station is handicapped accessible. +| comments = + {{comment|en|True if the station is handicapped accessible.}} + {{comment|fr|Vrai si la station est accessible aux handicapés.}} +}}OntologyProperty:IsMinorRevision20214273591282022-12-01T17:37:10Z{{DatatypeProperty +| labels = +{{label|en|Is a minor revision }} +{{label|fr|Est une révision mineur}} +|comments = +| comments = + {{comment|en|This property is used by DBpedia History}} + {{comment|fr|Proprieté utilisée dans le cadre de DBpedia Historique}} +| rdfs:domain = Prov:Revision +| rdfs:range = xsd:boolean }}OntologyProperty:IsPartOf2021003536632020-07-30T21:16:54Z{{ObjectProperty | rdfs:label@en = is part of | rdfs:label@es = es parte de @@ -18125,6 +26679,15 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:ItalicTitle20213822570992022-03-12T13:25:40Z{{DatatypeProperty +| labels = + {{label|en|italic title}} + {{label|fr|titre en italique}} +| comments = + {{comment|en|Controls whether the title of the article is shown in italics.}} + {{comment|fr|Indique si le titre de l'article doit être en italique. Valeur oui / non }} +| rdfs:domain = MusicalWork +| rdfs:range = xsd:string }}OntologyProperty:IthfDate2027711269922013-07-04T12:24:40Z{{DatatypeProperty | labels = {{label|en|ithf date}} @@ -18282,7 +26845,7 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:KnownFor2021010512092016-06-08T13:49:40Z{{ObjectProperty +<references/>OntologyProperty:KnownFor2021010572242022-03-24T19:21:52Z{{ObjectProperty | labels = {{label|en|known for}} {{label|nl|bekend om}} @@ -18293,7 +26856,9 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:Ko2027587268152013-07-02T10:53:29Z{{DatatypeProperty | labels = {{label|en|ko}} @@ -18491,9 +27056,10 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:LastProMatch2027707520042017-03-22T20:05:20Z{{DatatypeProperty +}}OntologyProperty:LastProMatch2027707567982022-02-28T21:46:03Z{{DatatypeProperty | labels = {{label|en|last pro match}} +{{label|fr|dernier match professionnel}} {{label|de|erstes Profispiel}} | rdfs:domain = Athlete | rdfs:range = xsd:string @@ -18701,9 +27267,10 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:League2021051476042015-04-03T09:57:00Z{{ObjectProperty +}}OntologyProperty:League2021051568142022-02-28T22:30:51Z{{ObjectProperty | labels = {{label|en|league}} + {{label|fr|ligue}} {{label|de|Liga}} {{label|el|πρωτάθλημα}} | rdfs:range = SportsLeague @@ -18767,13 +27334,13 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:Length2021056527762018-01-23T15:02:39Z{{DatatypeProperty +}}OntologyProperty:Length2021056573762022-03-31T12:58:15Z{{DatatypeProperty | labels = -{{label|en|length}} -{{label|nl|lengte}} -{{label|de|Länge}} -{{label|el|μήκος}} -{{label|fr|longueur}} + {{label|en|length}} + {{label|nl|lengte}} + {{label|de|Länge}} + {{label|el|μήκος}} + {{label|fr|longueur}} | rdfs:range = Length | rdf:type = owl:FunctionalProperty | owl:equivalentProperty = wikidata:P2043 @@ -18875,9 +27442,10 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:Limit2027153256942013-05-26T16:17:06Z{{DatatypeProperty +}}OntologyProperty:Limit2027153568922022-03-02T18:06:21Z{{DatatypeProperty | labels = -{{label|en|limit}} + {{label|en|limit}} + {{label|fr|limite}} | rdfs:domain = Place | rdfs:range = xsd:string }}OntologyProperty:LineLength2023594128052011-05-16T15:53:14Z{{DatatypeProperty @@ -18912,16 +27480,19 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:LiteraryGenre2023775362332014-07-08T13:59:43Z +}}OntologyProperty:LiteraryGenre2023775568212022-03-01T00:02:40Z {{ObjectProperty | labels = {{label|en|literary genre}} + {{label|fr|genre littéraire}} {{label|nl|literair genre}} {{label|de|literarische Gattung}} | rdfs:domain = WrittenWork | rdfs:range = owl:Thing | rdfs:subPropertyOf = genre, dul:isClassifiedBy -| rdfs:comment@en = A 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. +| comments = + {{comment|en|A 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.}} + {{comment|fr|Un genre littéraire est une catégorie de composition littéraire. Les genres peuvent être déterminés par la technique littéraire employée, le ton, le contenu, ou même (comme dans le cas des fictions) la longueur.}} }}OntologyProperty:LittlePoolRecord2027760270482013-07-04T14:46:51Z{{DatatypeProperty | labels = {{label|en|little pool record}} @@ -19036,11 +27607,12 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:Logo2025647225722013-01-14T21:21:24Z{{ DatatypeProperty +}}OntologyProperty:Logo2025647574382022-04-17T21:15:39Z{{ DatatypeProperty | labels = -{{label|en|logo}} -{{label|el|λογότυπο}} -{{label|nl|logo}} + {{label|en|logo}} + {{label|fr|logo}} + {{label|el|λογότυπο}} + {{label|nl|logo}} | rdfs:domain = owl:Thing | rdfs:range = xsd:string }}OntologyProperty:LongDistancePisteKilometre2027204261882013-06-18T11:05:22Z{{DatatypeProperty @@ -19136,9 +27708,11 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:LunarModule2021076338472014-04-04T14:27:02Z{{DatatypeProperty -| rdfs:label@en = lunar module -| rdfs:label@de = Mondfähre +}}OntologyProperty:LunarModule2021076567342022-02-28T15:12:03Z{{DatatypeProperty +| labels = + {{label|en|lunar module}} + {{label|de|Mondfähre}} + {{label|fr|module lunaire}} | rdfs:domain = SpaceMission | rdfs:range = xsd:string }}OntologyProperty:LunarOrbitTime2021077338482014-04-04T14:27:36Z{{DatatypeProperty @@ -19201,6 +27775,21 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:MainArticleForCategory20213132549182021-09-03T06:33:56Z{{ObjectProperty +| rdfs:label@en = main article for Wikipedia category +| rdfs:label@de = Hauptartikel fuer Kategorie +| rdfs:comment@en = A property for linking Wikipedia categories to its main articles, derived from top templates of some category pages. +| rdfs:domain = skos:Concept +}}OntologyProperty:MainArtist20213820570942022-03-12T12:33:05Z{{ObjectProperty +| labels = + {{label|en|main artist}} + {{label|fr|artiste principal}} +| comments = + {{comment|en|Name of the main artist in the group.}} + {{comment|fr|Nom de l'artiste principal lorsque plusieurs artistes sont associés.}} +| rdfs:domain = MusicalWork +| rdfs:range = Agent +| rdfs:subPropertyOf = artist }}OntologyProperty:MainBuilding2026667338522014-04-04T14:27:54Z{{DatatypeProperty | rdfs:label@en = main building | rdfs:label@de = Hauptgebäude @@ -19485,11 +28074,13 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:MaxTime20211300487732015-08-13T10:24:17Z{{DatatypeProperty +}}OntologyProperty:MaxTime20211300568082022-02-28T22:18:33Z{{DatatypeProperty | labels = {{label|en|maximum preparation time}} + {{label|fr|temps de préparation maximum}} | comments = {{comment|en|Maximum preparation time of a recipe / Food}} + {{comment|fr|Temps de préparation maximum pour une recette / Aliments}} | rdfs:domain = Food | rdfs:range = Time }}OntologyProperty:MaximumArea2027084338782014-04-04T14:57:18Z{{DatatypeProperty @@ -19636,15 +28227,18 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:MediaType2021120528272018-02-08T20:09:46Z{{ObjectProperty +}}OntologyProperty:MediaType2021120568072022-02-28T22:15:55Z{{ObjectProperty | labels = {{label|en|media type}} + {{label|fr|type de média}} {{label|de|Medientyp}} {{label|nl|mediatype}} | rdfs:domain = WrittenWork | owl:equivalentProperty = | rdfs:subPropertyOf = -| rdfs:comment@en = Print / On-line (then binding types etc. if relevant) +| comments = + {{comment|en|Print / On-line (then binding types etc. if relevant)}} + {{comment|fr|Imprimer / En-ligne (puis types associés etc. si nécessaire)}} }}OntologyProperty:MedicalCause20211862521992017-10-07T14:20:14Z{{ObjectProperty | labels = {{label|en|medical cause}} @@ -19713,13 +28307,14 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:Member2026823490962015-10-10T16:01:30Z{{DatatypeProperty +}}OntologyProperty:Member2026823587902022-05-31T15:05:41Z{{DatatypeProperty | labels = {{label|en|member}} {{label|de|Mitglied}} {{label|nl|lid van}} | rdfs:domain = Person | rdfs:range = xsd:string +| owl:equivalentProperty = wikidata:P463 }}OntologyProperty:MemberOfParliament2021125362782014-07-08T14:02:40Z {{ObjectProperty | rdfs:label@en = Member of Parliament @@ -19806,11 +28401,12 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:MilitaryBranch2021703491492015-10-13T10:04:00Z{{ObjectProperty +}}OntologyProperty:MilitaryBranch2021703587912022-05-31T15:09:37Z{{ObjectProperty | rdfs:label@en = military branch | rdfs:comment@en = The service branch (Army, Navy, etc.) a person is part of. | rdfs:domain = MilitaryPerson | rdfs:range = MilitaryUnit +| owl:equivalentProperty = wikidata:P7779 | rdfs:subPropertyOf = dul:isMemberOf }}OntologyProperty:MilitaryCommand2021700338942014-04-04T14:58:26Z{{DatatypeProperty | rdfs:label@en = military command @@ -20022,6 +28618,27 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:Moderna20213126569772022-03-09T10:37:47Z{{DatatypeProperty +| labels = + {{label|en|Moderna}} + {{label|fr|Moderna}} + {{label|zh|莫德纳}} +| comments = + {{comment|en|Moderna, Inc is an American pharmaceutical and biotechnology company based in Cambridge, Massachusetts.}} + {{comment|fr|Moderna, Inc et une compagnie américaine pharmaceutique et de biotechnologie basée à Cambridge, Massachusetts.}} + {{comment|zh|莫德纳,是一家总部位于美国马萨诸塞州剑桥市的跨国制药、生物技术公司,专注于癌症免疫治疗,包括基于mRNA的药物发现、药物研发和疫苗技术}} +| rdfs:range = xsd:string +| owl:equivalentProperty = vaccine +| rdfs:domain = owl:Thing +}}OntologyProperty:ModernaCumul20213127549132021-08-12T06:23:43Z{{DatatypeProperty +| labels = +{{label|en|ModernaCumulativeDoses}} +| comments = + {{comment|en|Moderna, Inc is an American pharmaceutical and biotechnology company based in Cambridge, Massachusetts. }} + {{comment|en|莫德纳,是一家总部位于美国马萨诸塞州剑桥市的跨国制药、生物技术公司,专注于癌症免疫治疗,包括基于mRNA的药物发现、药物研发和疫苗技术}} +| rdfs:range = xsd:integer +| owl:equivalentProperty = moderna +| rdfs:domain = owl:Thing }}OntologyProperty:MolarMass20212041531842018-09-28T14:26:56Z{{DatatypeProperty | labels = {{label|en|molar mass}} @@ -20090,12 +28707,16 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:Motive20211897522782017-10-08T17:51:27Z{{DatatypeProperty -| rdfs:label@en = motive -| rdfs:label@de = Motiv +}}OntologyProperty:Motive20211897568222022-03-01T00:09:04Z{{DatatypeProperty +| labels = + {{label|en|motive}} + {{label|fr|motif}} + {{label|de|Motiv}} | rdfs:domain = Criminal | rdfs:range = xsd:string -| rdfs:comment = The motive of the crime(s) this individual is known for. +| comments = + {{comment|en|The motive of the crime(s) this individual is known for.}} + {{comment|fr|Motif du ou des crimes pour lesquels cette personne est connue.}} }}OntologyProperty:Motto2021146339132014-04-04T15:00:15Z{{DatatypeProperty | labels = {{label|en|motto}} @@ -20252,8 +28873,10 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:MusicBand2029274325372014-03-10T19:56:00Z{{ObjectProperty -| rdfs:label@en = Music Band +}}OntologyProperty:MusicBand2029274568852022-03-02T17:34:26Z{{ObjectProperty +| labels = + {{label|en|Music Band}} + {{label|fr|orchestre}} | rdfs:domain = MusicalArtist | rdfs:range = Band }}OntologyProperty:MusicBrainzArtistId20212328536482020-07-12T09:50:34Z{{DatatypeProperty @@ -20285,10 +28908,14 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:MusicFormat2026433235052013-01-23T12:49:32Z{{DatatypeProperty -| rdfs:label@en = musicFormat -| rdfs:label@de = musikFormate -| rdfs:comment@en = The format of the album: EP, Single etc. +}}OntologyProperty:MusicFormat2026433571042022-03-12T19:33:50Z{{DatatypeProperty +| labels = + {{label|en|musicFormat}} + {{label|de|musikFormate}} + {{label|fr|format de la musique}} +| comments = + {{comment|en|The format of the album: EP, Single etc.}} + {{comment|fr|Format de l'album: EP, 45tours (single), etc.}} | rdfs:domain = Album | rdfs:range = xsd:string }}OntologyProperty:MusicFusionGenre2021162363062014-07-08T14:04:25Z @@ -20340,11 +28967,13 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:Musicians2022635363112014-07-08T14:04:43Z +}}OntologyProperty:Musicians2022635574392022-04-17T21:18:37Z {{ObjectProperty -| rdfs:label@en = musicians -| rdfs:label@de = Musiker -| rdfs:label@el = μουσικοί +| labels = + {{label|en|musicians}} + {{label|fr|musiciens}} + {{label|de|Musiker}} + {{label|el|μουσικοί}} | rdfs:domain = Instrument | rdfs:comment@en = | rdfs:range = MusicalArtist | rdfs:subPropertyOf = dul:coparticipatesWith @@ -20469,9 +29098,11 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:Narrator2021166462542015-03-18T14:43:00Z{{ObjectProperty -| rdfs:label@en = narrator -| rdfs:label@de = Erzähler +}}OntologyProperty:Narrator2021166567972022-02-28T21:42:04Z{{ObjectProperty +| labels = + {{label|en|narrator}} + {{label|fr|narrateur}} + {{label|de|Erzähler}} | rdfs:domain = Work | rdfs:range = Person | rdfs:subPropertyOf = dul:coparticipatesWith @@ -20564,7 +29195,7 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:Nationality2021168363192014-07-08T14:05:15Z +}}OntologyProperty:Nationality2021168587782022-05-31T13:55:16Z {{ObjectProperty | labels = {{label|en|nationality}} @@ -20576,8 +29207,35 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:NbRevPerMonth20214281591352022-12-02T12:01:11Z{{DatatypeProperty +| labels = +{{label|en| Number of revision per month }} +{{label|fr| Nombre de révisions par mois}} +| comments = +{{comment|en| used for DBpedia History > Subject must be a blank node containing a dc:date and a rdfs:value }} +{{comment|fr| utilisé par DBpedia Historique > Le sujet de cette relation doit être un noeud blanc contenant une dc:date et une rdfs:value }} +| rdfs:domain = prov:Entity +| rdfs:range = xsd:anyURI +}}OntologyProperty:NbRevPerYear20214283591342022-12-02T12:01:01Z{{DatatypeProperty +| labels = +{{label|en| Number of revision per year }} +{{label|fr| Nombre de révisions par année}} +| comments = +{{comment|en| used for DBpedia History > Subject must be a blank node containing a dc:date and a rdfs:value }} +{{comment|fr| utilisé par DBpedia Historique > Le sujet de cette relation doit être un noeud blanc contenant une dc:date et une rdfs:value }} +| rdfs:domain = prov:Entity +| rdfs:range = xsd:anyURI +}}OntologyProperty:NbUniqueContrib20214286591272022-12-01T17:35:03Z{{DatatypeProperty +| labels = +{{label|en| Number of unique contributors }} +{{label|fr| Nombre de contributeurs uniques }} +| comments = +{{comment|en| used for DBpedia History }} +{{comment|fr| utilisé par DBpedia Historique }} +| rdfs:domain = prov:Entity +| rdfs:range = xsd:integer }}OntologyProperty:NcaaSeason2027680269522013-07-04T09:25:39Z{{DatatypeProperty | labels = {{label|en|ncaa season}} @@ -20707,6 +29365,15 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:NextTrackNumber20213813570652022-03-09T19:04:19Z{{DatatypeProperty +| labels = + {{label|en|number of the next track}} + {{label|fr|numéro de la piste suivante}} +| rdfs:domain = Work +| rdfs:range = xsd:nonNegativeInteger +| comments = + {{comment|en|number of the next track in the recorded work.}} + {{comment|fr|numéro de la piste suivante du support.}} }}OntologyProperty:NflCode2027690269642013-07-04T09:32:39Z{{DatatypeProperty | labels = {{label|en|nfl code}} @@ -20847,7 +29514,7 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:NotableWork2021187512112016-06-08T13:51:26Z{{ObjectProperty +}}OntologyProperty:NotableWork2021187587952022-05-31T15:22:30Z{{ObjectProperty | labels = {{label|en|notable work}} {{label|fr|oeuvre majeure}} @@ -20855,6 +29522,7 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:NumberOfAlbums2025193339632014-04-04T15:27:52Z{{DatatypeProperty -| rdfs:label@en = number of albums -| rdfs:label@de = Anzahl der Alben -| rdfs:comment@en = the total number of albums released by the musical artist +}}OntologyProperty:NumberOfAlbums2025193568842022-03-02T17:31:44Z{{DatatypeProperty +| labels = + {{label|en|number of albums}} + {{label|fr|nombre d'albums}} + {{label|de|Anzahl der Alben}} +| comments = + {{comment|en|the total number of albums released by the musical artist}} + {{comment|fr|nombre total d'albums que cet artiste musical a réalisés}} | rdfs:domain = MusicalArtist | rdfs:range = xsd:nonNegativeInteger }}OntologyProperty:NumberOfArrondissement2027954278952013-07-17T08:43:29Z{{DatatypeProperty @@ -20986,19 +29658,28 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:NumberOfClasses20212240534922018-11-30T20:19:29Z{{DatatypeProperty -| rdfs:label@en = numberOfClasses -| rdfs:comment@en = number of defined Classes +}}OntologyProperty:NumberOfClasses20212240569092022-03-02T19:27:59Z{{DatatypeProperty +| labels = + {{label|en|numberOfClasses}} + {{label|fr|nombre de classes}} +| comments = + {{comment|en|number of defined Classes}} + {{comment|fr|nombre de classes définies}} | rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:NumberOfClassesWithResource20212241534932018-11-30T20:20:03Z{{DatatypeProperty -| rdfs:label@en = numberOfClassesWithResource -| rdfs:comment@en = number of class in DBpedia with atleast single resource (class entity) +}}OntologyProperty:NumberOfClassesWithResource20212241569102022-03-02T19:32:46Z{{DatatypeProperty +| labels = + {{label|en|numberOfClassesWithResource}} + {{label|fr|nombre de classes avec ressource}} +| comments = + {{comment|en|number of class in DBpedia with at least single resource (class entity)}} + {{comment|fr|nombre de classes de DBpedia ayant au moins une ressource unique (entité de classe)}} | rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:NumberOfClassrooms2023137363382014-07-08T14:06:32Z -{{ObjectProperty -| rdfs:label@en = number of classrooms -| rdfs:label@el = αριθμός αιθουσών +}}OntologyProperty:NumberOfClassrooms2023137573062022-03-30T14:50:11Z{{ObjectProperty +| labels = + {{label|en|number of classrooms}} + {{label|el|αριθμός αιθουσών}} + {{label|fr|nombre de salles de classe}} | rdfs:domain = School | rdfs:subPropertyOf = dul:hasRegion }}OntologyProperty:NumberOfClubs2026059339662014-04-04T15:28:05Z{{DatatypeProperty @@ -21112,6 +29793,14 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:NumberOfEtoilesMichelin20214266590962022-10-13T09:39:42Z{{ DatatypeProperty + + | labels = + {{label|en|number of étoiles Michelin}} + {{label|fr|nombre d'étoiles Michelin}} + | rdfs:domain = Restaurant + | rdfs:range = xsd:nonNegativeInteger + }}OntologyProperty:NumberOfFederalDeputies2023359339752014-04-04T15:28:49Z{{DatatypeProperty | rdfs:label@en = Number Of Federal Deputies | rdfs:label@de = Anzahl der Bundesabgeordneten @@ -21152,9 +29841,10 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:NumberOfHoles20210203378552014-09-23T12:31:17Z{{DatatypeProperty +}}OntologyProperty:NumberOfHoles20210203574402022-04-17T21:20:15Z{{DatatypeProperty | labels = -{{label|en|number of holes}} + {{label|en|number of holes}} + {{label|fr|nombre de trous}} | rdfs:domain = GolfCourse | rdfs:range = xsd:integer }}OntologyProperty:NumberOfHouses2026294339812014-04-04T15:29:22Z{{DatatypeProperty @@ -21228,16 +29918,24 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:NumberOfLines2023623128632011-05-17T15:42:44Z{{DatatypeProperty -| rdfs:label@en = number of lines -| rdfs:label@de = Anzahl der Linien +}}OntologyProperty:NumberOfLines2023623573132022-03-30T15:12:24Z{{DatatypeProperty +| labels = + {{label|en|number of lines}} + {{label|de|Anzahl der Linien}} + {{label|fr|nombre de lignes}} | rdfs:domain = PublicTransitSystem | rdfs:range = xsd:nonNegativeInteger -| rdfs:comment@en = Number of lines in the transit system. -}}OntologyProperty:NumberOfLiveAlbums2025195339862014-04-04T15:29:42Z{{DatatypeProperty -| rdfs:label@en = number of live albums -| rdfs:label@de = Anzahl von Live-Alben -| rdfs:comment@en = the number of live albums released by the musical artist +| comments = + {{comment|en|Number of lines in the transit system.}} + {{comment|fr|Nombre de lignes dans le système de transport.}} +}}OntologyProperty:NumberOfLiveAlbums2025195568062022-02-28T22:12:30Z{{DatatypeProperty +| labels = + {{label|en|number of live albums}} + {{label|fr|nombre d'albums live}} + {{label|de|Anzahl von Live-Alben}} +| comments = + {{comment|en|the number of live albums released by the musical artist}} + {{comment|fr|nombre d'albums enregistrés en public et réalisés par l'artiste de musique}} | rdfs:domain = MusicalArtist | rdfs:range = xsd:nonNegativeInteger }}OntologyProperty:NumberOfLocations2026038339872014-04-04T15:29:46Z{{ DatatypeProperty @@ -21338,19 +30036,23 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:NumberOfPages2021255520082017-03-22T20:30:12Z{{DatatypeProperty +}}OntologyProperty:NumberOfPages2021255568152022-02-28T22:33:03Z{{DatatypeProperty | labels = {{label|en|number of pages}} {{label|fr|nombre de pages}} {{label|nl|aantal pagina's}} {{label|de|Anzahl der Seiten}} | rdfs:domain = WrittenWork -| rdfs:comment@en = The books number of pages. +| comments = + {{comment|en|The books number of pages.}} + {{comment|fr|Nombre de pages des livres.}} | rdfs:range = xsd:positiveInteger | owl:equivalentProperty = schema:numberOfPages -}}OntologyProperty:NumberOfParkingSpaces2022744339932014-04-04T15:30:13Z{{DatatypeProperty -| rdfs:label@en = number of parking spaces -| rdfs:label@de = Anzahl der Parkplätze +}}OntologyProperty:NumberOfParkingSpaces2022744568242022-03-01T00:18:41Z{{DatatypeProperty +| labels = + {{label|en|number of parking spaces}} + {{label|fr|nombre de places de parking}} + {{label|de|Anzahl der Parkplätze}} | rdfs:domain = Hotel | rdfs:range = xsd:nonNegativeInteger }}OntologyProperty:NumberOfParticipatingAthletes2021207339942014-04-04T15:30:18Z{{DatatypeProperty @@ -21380,13 +30082,13 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:NumberOfPassengers20211850521482017-07-05T15:16:11Z{{ DatatypeProperty - - | rdfs:label@en = number of passengers - | rdfs:label@nl = aantal passagiers - | rdfs:domain = Ship - | rdfs:range = xsd:nonNegativeInteger - +}}OntologyProperty:NumberOfPassengers20211850573032022-03-30T14:45:56Z{{ DatatypeProperty +| labels = + {{label|en|number of passengers}} + {{label|fr|nombre de passagers}} + {{label|nl|aantal passagiers}} +| rdfs:domain = Ship +| rdfs:range = xsd:nonNegativeInteger }}OntologyProperty:NumberOfPeopleAttending2023307339982014-04-04T15:30:37Z{{DatatypeProperty | labels = {{label|en|number of people attending}} @@ -21458,10 +30160,14 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:NumberOfPredicates20212236534982018-11-30T20:23:23Z +}}OntologyProperty:NumberOfPredicates20212236573092022-03-30T15:02:39Z {{DatatypeProperty -| rdfs:label@en = numberOfPredicates -| rdfs:comment@en = number of predicates in DBpedia (including properties without rdf:type of rdf:Property) +| labels = + {{label|en|numberOfPredicates}} + {{label|fr|nombre de prédicats}} +| comments = + {{comment|en|number of predicates in DBpedia (including properties without rdf:type of rdf:Property)}} + {{comment|fr|nombre de prédicats dans DBpedia (y compris les propriétés sans rdf:type de rdf:Property)}} | rdfs:range = xsd:nonNegativeInteger }}OntologyProperty:NumberOfProfessionals2026386340002014-04-04T15:30:49Z{{DatatypeProperty | labels = @@ -21476,15 +30182,23 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:NumberOfProperties20212243534962018-11-30T20:22:30Z +<references/>OntologyProperty:NumberOfProperties20212243573102022-03-30T15:05:11Z {{DatatypeProperty -| rdfs:label@en = numberOfProperties -| rdfs:comment@en = number of defined properties in DBpedia ontology +| labels = + {{label|en|numberOfProperties}} + {{label|fr|nombre de propriétés}} +| comments = + {{comment|en|number of defined properties in DBpedia ontology}} + {{comment|fr|nombre de propriétés défines dans l'ontologie DBpedia}} | rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:NumberOfPropertiesUsed20212244534972018-11-30T20:22:51Z{{DatatypeProperty -| rdfs:label@en = numberOfPropertiesUsed -| rdfs:comment@en = number of all properties used as predicate in DBpedia +}}OntologyProperty:NumberOfPropertiesUsed20212244573112022-03-30T15:07:03Z{{DatatypeProperty +| labels = + {{label|en|numberOfPropertiesUsed}} + {{label|fr|nombre de propriétés utilisées}} +| comments = + {{comment|en|number of all properties used as predicate in DBpedia}} + {{comment|fr|nombre total de propriétés utilisées comme prédicat dans DBpedia}} | rdfs:range = xsd:nonNegativeInteger }}OntologyProperty:NumberOfReactors2029145317222014-02-11T10:55:21Z{{DatatypeProperty @@ -21495,11 +30209,15 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:NumberOfRedirectedResource20212267534862018-11-30T20:06:04Z +}}OntologyProperty:NumberOfRedirectedResource20212267572542022-03-28T21:22:10Z {{DatatypeProperty -| rdfs:label@en = numberOfRedirectedResource -| rdfs:comment@en = number of redirected resource to another one -| rdfs:comment@cs = počet redirectů - zdrojů přesměrovaných na jiný zdroj +| labels = + {{label|en|numberOfRedirectedResource}} + {{label|fr|nombre de ressources redirigées}} +| comments = + {{comment|en|number of redirected resource to another one}} + {{comment|fr|nombre de ressources qui redirigent vers d'autres ressources}} + {{comment|cs|počet redirectů - zdrojů přesměrovaných na jiný zdroj}} | rdfs:range = xsd:nonNegativeInteger }}OntologyProperty:NumberOfResource20212235534892018-11-30T20:17:43Z @@ -21523,10 +30241,12 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:NumberOfRestaurants2022512340012014-04-04T15:30:56Z{{DatatypeProperty -| rdfs:label@en = number of restaurants -| rdfs:label@de = Anzahl der Restaurants -| rdfs:label@el = αριθμός εστιατορίων +}}OntologyProperty:NumberOfRestaurants2022512572512022-03-28T21:11:32Z{{DatatypeProperty +| labels = + {{label|en|number of restaurants}} + {{label|fr|nombre de restaurants}} + {{label|de|Anzahl der Restaurants}} + {{label|el|αριθμός εστιατορίων}} | rdfs:domain = Hotel | rdfs:range = xsd:nonNegativeInteger }}OntologyProperty:NumberOfRockets2025626531762018-07-19T08:54:45Z{{ DatatypeProperty @@ -21536,11 +30256,13 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:NumberOfRooms2022513526152017-10-31T13:48:05Z{{DatatypeProperty -| rdfs:label@en = number of rooms -| rdfs:label@de = Anzahl der Zimmer -| rdfs:label@el = αριθμός δωματίων -| rdfs:label@nl = aantal kamers +}}OntologyProperty:NumberOfRooms2022513573022022-03-30T14:42:23Z{{DatatypeProperty +| labels = + {{label|en|number of rooms}} + {{label|fr|nombre de pièces}} + {{label|de|Anzahl der Zimmer}} + {{label|el|αριθμός δωματίων}} + {{label|nl|aantal kamers}} | rdfs:domain = Building | rdfs:range = xsd:nonNegativeInteger }}OntologyProperty:NumberOfRun2027805271112013-07-05T14:02:02Z{{DatatypeProperty @@ -21548,16 +30270,19 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:NumberOfSeasons2021402340042014-04-04T15:31:12Z{{DatatypeProperty -| rdfs:label@en = number of seasons -| rdfs:label@de = Anzahl der Staffeln +}}OntologyProperty:NumberOfSeasons2021402574412022-04-17T21:22:57Z{{DatatypeProperty +| labels = + {{label|en|number of seasons}} + {{label|fr|nombre de saisons}} + {{label|de|Anzahl der Staffeln}} | rdfs:domain = TelevisionShow | rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:NumberOfSeats2029327340052014-04-04T15:31:18Z{{ DatatypeProperty - - | rdfs:label@en = number of seats -| rdfs:label@de = Anzahl der Sitze - | rdfs:label@nl = aantal plaatsen +}}OntologyProperty:NumberOfSeats2029327572522022-03-28T21:14:51Z{{ DatatypeProperty + | labels = + {{label|en|number of seats}} + {{label|fr|nombre de places}} + {{label|de|Anzahl der Sitze}} + {{label|nl|aantal plaatsen}} | rdfs:domain = MeanOfTransportation | rdfs:range = xsd:nonNegativeInteger @@ -21646,10 +30371,12 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:NumberOfStars2025340340112014-04-04T15:31:52Z{{ DatatypeProperty +}}OntologyProperty:NumberOfStars2025340572552022-03-28T21:24:28Z{{ DatatypeProperty - | rdfs:label@en = number of stars -| rdfs:label@de = Anzahl der Sterne + | labels = + {{label|en|number of stars}} + {{label|fr|nombre d'étoiles}} + {{label|de|Anzahl der Sterne}} | rdfs:domain = Constellation | rdfs:range = xsd:nonNegativeInteger @@ -21658,56 +30385,75 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:NumberOfStations2023610128292011-05-17T12:10:28Z{{DatatypeProperty -| rdfs:label@en = number of stations -| rdfs:label@de = Anzahl der Stationen +}}OntologyProperty:NumberOfStations2023610572562022-03-28T21:27:23Z{{DatatypeProperty +| labels = + {{label|en|number of stations}} + {{label|fr|nombre de stations}} + {{label|de|Anzahl der Stationen}} | rdfs:domain = RouteOfTransportation | rdfs:range = xsd:nonNegativeInteger -| rdfs:comment@en = Number of stations or stops. +| comments = + {{comment|en|Number of stations or stops.}} + {{comment|fr|Nombre de stations, gares ou arrêts.}} }}OntologyProperty:NumberOfStores20211981526132017-10-31T13:40:38Z{{DatatypeProperty | rdfs:label@en = number of sores | rdfs:label@de = Anzahl an Geschäften | rdfs:domain = ShoppingMall | rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:NumberOfStudents2022149538042020-12-01T17:59:01Z{{DatatypeProperty +}}OntologyProperty:NumberOfStudents2022149572452022-03-28T20:58:10Z{{DatatypeProperty |labels= -{{label|en|number of students}} -{{label|de|Zahl der Studierenden}} -{{label|el|αριθμός φοιτητών}} + {{label|en|number of students}} + {{label|fr|nombre d'étudiants}} + {{label|de|Zahl der Studierenden}} + {{label|el|αριθμός φοιτητών}} | rdfs:domain = EducationalInstitution | rdfs:range = xsd:nonNegativeInteger | owl:equivalentProperty=wikidata:P2196 -}}OntologyProperty:NumberOfStudioAlbums2025196340132014-04-04T15:32:03Z{{DatatypeProperty -| rdfs:label@en = number of studio albums -| rdfs:label@de = Zahl der Studio-Alben -| rdfs:comment@en = the number of studio albums released by the musical artist +}}OntologyProperty:NumberOfStudioAlbums2025196568862022-03-02T17:40:09Z{{DatatypeProperty +| labels = + {{label|en|number of studio albums}} + {{label|fr|nombre d'albums studio}} + {{label|de|Zahl der Studio-Alben}} +| comments = + {{comment|en|the number of studio albums released by the musical artist}} + {{comment|fr|nombre d'albums que l'artiste musical a réalisés en studio}} | rdfs:domain = MusicalArtist | rdfs:range = xsd:nonNegativeInteger }}OntologyProperty:NumberOfSuites2022514104532010-11-10T15:04:04Z{{DatatypeProperty | rdfs:label@en = number of suites | rdfs:domain = Hotel | rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:NumberOfTeams2027316340142014-04-04T15:32:07Z{{DatatypeProperty -| rdfs:label@en = number of teams -| rdfs:label@de = Anzahl der Teams -| rdfs:label@it = numero di squadre +}}OntologyProperty:NumberOfTeams2027316572462022-03-28T21:00:59Z{{DatatypeProperty +| labels = + {{label|en|number of teams}} + {{label|fr|nombre d'équipes}} + {{label|de|Anzahl der Teams}} + {{label|it|numero di squadre}} | rdfs:domain = SportsLeague | rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:NumberOfTracks2023234128072011-05-16T16:01:00Z{{DatatypeProperty -| rdfs:label@en = number of tracks -| rdfs:label@de = Anzahl der Gleise +}}OntologyProperty:NumberOfTracks2023234572662022-03-28T21:47:55Z{{DatatypeProperty +| labels = + {{label|en|number of tracks}} + {{label|fr|nombre de voies}} + {{label|de|Anzahl der Gleise}} | rdfs:domain = Infrastructure | rdfs:range = xsd:nonNegativeInteger -| rdfs:comment@en = Number of tracks of a railway or railway station. +| comments = + {{comment|en|Number of tracks of a railway or railway station.}} + {{comment|fr|Nombre de voies d'un chemin de fer ou d'une gare.}} }}OntologyProperty:NumberOfTrails20211804519212017-02-20T11:21:21Z{{DatatypeProperty | rdfs:label@en = number of trails | rdfs:label@ja = コース数 | rdfs:domain = SkiArea | rdfs:range = xsd:nonNegativeInteger | rdfs:comment@en = Number of trails in ski area. -}}OntologyProperty:NumberOfTriples20212237534882018-11-30T20:09:22Z{{DatatypeProperty -| rdfs:label@en = numberOfTriples -| rdfs:comment@en = number of triples in DBpedia +}}OntologyProperty:NumberOfTriples20212237572572022-03-28T21:30:10Z{{DatatypeProperty +| labels = + {{label|en|numberOfTriples}} + {{label|fr|nombre de triplets}} +| comments = + {{comment|en|number of triples in DBpedia}} + {{comment|fr|nombre de triplets dans DBpedia}} | rdfs:range = xsd:nonNegativeInteger }}OntologyProperty:NumberOfTurns2025956197642012-11-07T14:42:07Z{{DatatypeProperty |labels= @@ -21733,12 +30479,16 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:NumberOfVehicles2023622128612011-05-17T15:20:34Z{{DatatypeProperty -| rdfs:label@en = number of vehicles -| rdfs:label@de = Anzahl der Fahrzeuge +}}OntologyProperty:NumberOfVehicles2023622567532022-02-28T17:04:38Z{{DatatypeProperty +| labels = + {{label|en|number of vehicles}} + {{label|de|Anzahl der Fahrzeuge}} + {{label|fr|nombre de véhicules}} | rdfs:domain = PublicTransitSystem | rdfs:range = xsd:nonNegativeInteger -| rdfs:comment@en = Number of vehicles used in the transit system. +| comments = + {{comment|en|Number of vehicles used in the transit system.}} + {{comment|fr|Nombre de véhicules dans le système de transition.}} }}OntologyProperty:NumberOfVillages2026790340172014-04-04T15:32:21Z{{DatatypeProperty | labels = {{label|en|number of villages }} @@ -21747,32 +30497,39 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:NumberOfVineyards2021212340182014-04-04T15:32:26Z{{DatatypeProperty -| rdfs:label@en = number of vineyards -| rdfs:label@de = Anzahl von Weinbergen +}}OntologyProperty:NumberOfVineyards2021212572652022-03-28T21:43:35Z{{DatatypeProperty +| labels = + {{label|en|number of vineyards}} + {{label|fr|nombre de vignobles}} + {{label|de|Anzahl von Weinbergen}} | rdfs:domain = WineRegion | rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:NumberOfVisitors2021213340192014-04-04T15:32:30Z{{DatatypeProperty +}}OntologyProperty:NumberOfVisitors2021213572642022-03-28T21:41:28Z{{DatatypeProperty | labels = -{{label|en|number of visitors}} -{{label|de|Besucherzahl}} -{{label|el|αριθμός επισκεπτών}} -{{label|nl|bezoekersaantal}} + {{label|en|number of visitors}} + {{label|fr|nombre de visiteurs}} + {{label|de|Besucherzahl}} + {{label|el|αριθμός επισκεπτών}} + {{label|nl|bezoekersaantal}} | rdfs:range = xsd:nonNegativeInteger }}OntologyProperty:NumberOfVisitorsAsOf2023222120362011-04-07T14:24:23Z{{DatatypeProperty | rdfs:label@en = number of visitors as of | rdfs:domain = HistoricPlace | rdfs:range = xsd:gYear | rdfs:comment@en = The year in which number of visitors occurred. -}}OntologyProperty:NumberOfVolumes2025988207712012-12-23T14:58:25Z{{DatatypeProperty -| rdfs:label@en = number of volumes +}}OntologyProperty:NumberOfVolumes2025988572622022-03-28T21:37:53Z{{DatatypeProperty +| labels = + {{label|en|number of volumes}} + {{label|fr|nombre de volumes}} | rdfs:domain = WrittenWork | rdfs:range = xsd:nonNegativeInteger | rdfs:comment@en = -}}OntologyProperty:NumberOfVolunteers2021214340202014-04-04T15:32:35Z{{DatatypeProperty -| rdfs:label@en = number of volunteers -| rdfs:label@de = Anzahl der Freiwilligen -| rdfs:label@el = αριθμός εθελοντών +}}OntologyProperty:NumberOfVolunteers2021214572632022-03-28T21:40:28Z{{DatatypeProperty +| labels = + {{label|en|number of volunteers}} + {{label|fr|nombre de bénévoles}} + {{label|de|Anzahl der Freiwilligen}} + {{label|el|αριθμός εθελοντών}} | rdfs:domain = Organisation | rdfs:range = xsd:nonNegativeInteger }}OntologyProperty:NumberOfWineries2021215104082010-11-10T14:43:26Z{{DatatypeProperty @@ -21792,16 +30549,17 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:Observatory2027064340212014-04-04T15:32:39Z{{DatatypeProperty +}}OntologyProperty:Observatory2027064572472022-03-28T21:02:21Z{{DatatypeProperty | labels = {{label|en|observatory}} -{{label|de|Observatorium}} + {{label|fr|observatoire}} + {{label|de|Observatorium}} {{label|el|αστεροσκοπείο}} | comments = {{comment|el|επιστημονικά ιδρύματα που παρατηρούν και μελετάνε ουράνια σώματα και φαινόμενα.}} | rdfs:domain = Island | rdfs:range = xsd:string -}}OntologyProperty:Occupation2021216363392014-07-08T14:06:35Z +}}OntologyProperty:Occupation2021216587872022-05-31T14:50:55Z {{ObjectProperty | labels = {{label|en|occupation}} @@ -21810,7 +30568,7 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:Oclc2021718132062011-05-25T16:50:57Z{{DatatypeProperty | rdfs:label@en = OCLC @@ -21837,17 +30595,20 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:OfficialLanguage2022763363412014-07-08T14:06:51Z +}}OntologyProperty:OfficialLanguage2022763572612022-03-28T21:36:30Z {{ObjectProperty -| rdfs:label@en = official language -| rdfs:label@de = Amtssprache +| labels = + {{label|en|official language}} + {{label|fr|langue officielle}} + {{label|de|Amtssprache}} | rdfs:domain = PopulatedPlace | rdfs:range = Language | rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:OfficialName2026939537622020-10-08T22:52:16Z{{DatatypeProperty +}}OntologyProperty:OfficialName2026939572582022-03-28T21:31:43Z{{DatatypeProperty | labels = -{{label|en|official name}} -{{label|de|offizieller Name}} + {{label|en|official name}} + {{label|fr|nom officiel}} + {{label|de|offizieller Name}} | rdfs:domain = Settlement | rdfs:range = rdf:langString | owl:equivalentProperty = gn:officialName @@ -21885,25 +30646,28 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:OldDistrict2026979363442014-07-08T14:07:00Z +}}OntologyProperty:OldDistrict2026979572602022-03-28T21:34:18Z {{ObjectProperty | labels = {{label|en|old district}} + {{label|fr|ancienne région}} {{label|de|Altstadt}} | rdfs:range = PopulatedPlace | rdfs:domain = PopulatedPlace | rdfs:subPropertyOf = dul:isPartOf -}}OntologyProperty:OldName2027278347222014-05-06T16:15:21Z{{DatatypeProperty +}}OntologyProperty:OldName2027278572482022-03-28T21:03:31Z{{DatatypeProperty | labels = -{{label|en|old name}} -{{label|el|παλιό όνομα}} -{{label|de|alter Name}} + {{label|en|old name}} + {{label|fr|ancien nom}} + {{label|el|παλιό όνομα}} + {{label|de|alter Name}} | rdfs:domain = PopulatedPlace | rdfs:range = xsd:string -}}OntologyProperty:OldProvince2026978363452014-07-08T14:07:04Z +}}OntologyProperty:OldProvince2026978572592022-03-28T21:32:57Z {{ObjectProperty | labels = {{label|en|old province}} + {{label|fr|ancienne province}} {{label|de|alte Provinz}} | rdfs:range = PopulatedPlace | rdfs:domain = PopulatedPlace @@ -21913,8 +30677,10 @@ See also [[OntologyProperty:CurrentlyUsedFor]]OntologyProperty:Oldcode202122181782010-05-28T13:29:11Z{{DatatypeProperty -| rdfs:label@en = oldcode +}}OntologyProperty:Oldcode2021221572492022-03-28T21:04:52Z{{DatatypeProperty +| labels = + {{label|en|oldcode}} + {{label|fr|ancien code}} | rdfs:domain = OlympicResult | rdfs:range = xsd:string }}OntologyProperty:OlivierAward2021222363462014-07-08T14:07:07Z @@ -22066,8 +30832,10 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u | rdfs:domain = MilitaryConflict | rdfs:range = owl:Thing | rdfs:subPropertyOf = dul:hasParticipant -}}OntologyProperty:OrbitalEccentricity2027964279752013-07-31T21:56:12Z{{DatatypeProperty -| rdfs:label@en = orbital eccentricity +}}OntologyProperty:OrbitalEccentricity2027964567932022-02-28T21:34:58Z{{DatatypeProperty +| labels = + {{label|en|orbital eccentricity}} + {{label|fr|excentricité orbitale}} | rdfs:domain = CelestialBody | rdfs:range = xsd:float }}OntologyProperty:OrbitalFlights2021233104092010-11-10T14:43:37Z{{DatatypeProperty @@ -22138,10 +30906,10 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u | rdfs:domain = AnatomicalStructure | rdfs:range = AnatomicalStructure | rdfs:subPropertyOf = dul:isPartOf -}}OntologyProperty:Organisation2027126363592014-07-08T14:07:52Z -{{ObjectProperty +}}OntologyProperty:Organisation2027126574422022-04-17T21:24:08Z{{ObjectProperty | labels = {{label|en|organisation}} + {{label|fr|organisation}} {{label|de|Organisation}} | rdfs:range = Organisation | rdfs:subPropertyOf = dul:sameSettingAs @@ -22153,10 +30921,11 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u | rdfs:domain = Organisation | rdfs:range = OrganisationMember | rdfs:subPropertyOf = dul:hasMember -}}OntologyProperty:Orientation2027818340412014-04-04T15:34:10Z{{DatatypeProperty +}}OntologyProperty:Orientation2027818567782022-02-28T18:35:56Z{{DatatypeProperty | labels = -{{label|en|orientation}} -{{label|de|Orientierung}} + {{label|en|orientation}} + {{label|fr|orientation}} + {{label|de|Orientierung}} | rdfs:domain = Person | rdfs:range = xsd:string | owl:equivalentProperty = wikidata:P91 @@ -22218,6 +30987,15 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u | rdfs:domain = owl:Thing | rdfs:range = rdf:langString | owl:equivalentProperty = ceo:oorspronkelijkeNaam +}}OntologyProperty:OriginalNotLatinTitle20213834572262022-03-24T20:46:58Z{{ DatatypeProperty +| labels = +{{label|en|original title not latin}} +{{label|en|titre original non latin}} +| comments = + {{comment|en|The original non latin title of the work}} + {{comment|fr|Titre original non latin de l'oeuvre}} +| rdfs:domain = Work +| rdfs:range = rdf:langString }}OntologyProperty:OriginalStartPoint2021243363642014-07-08T14:08:25Z {{ObjectProperty | rdfs:label@en = original start point @@ -22226,12 +31004,15 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u | rdfs:domain = Canal | rdfs:range = Place | rdfs:subPropertyOf = dul:hasCommonBoundary -}}OntologyProperty:OriginalTitle2026794348182014-05-15T05:05:12Z{{ DatatypeProperty +}}OntologyProperty:OriginalTitle2026794572272022-03-24T20:51:58Z{{ DatatypeProperty | labels = -{{label|en|original title}} -{{label|de|Originaltitel}} -{{label|nl|oorspronkelijke titel}} -| rdfs:comment@en = The original title of the work, most of the time in the original language as well + {{label|en|original title}} + {{label|fr|titre original}} + {{label|de|Originaltitel}} + {{label|nl|oorspronkelijke titel}} +| comments = + {{comment|en|The original title of the work, most of the time in the original language as well}} + {{comment|fr|Titre original de l'oeuvre, le plus souvent aussi dans la langue d'origine}} | rdfs:domain = Work | rdfs:range = rdf:langString }}OntologyProperty:OriginallyUsedFor2026007512292016-06-09T09:54:32Z{{DatatypeProperty @@ -22270,10 +31051,11 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u | rdfs:label@en = other | rdfs:domain = University | rdfs:range = xsd:integer -}}OntologyProperty:OtherActivity2027699340462014-04-04T15:34:34Z{{DatatypeProperty +}}OntologyProperty:OtherActivity2027699572672022-03-28T21:50:04Z{{DatatypeProperty | labels = -{{label|en|other activity}} -{{label|de|andere Aktivität}} + {{label|en|other activity}} + {{label|fr|autre activité}} + {{label|de|andere Aktivität}} | rdfs:domain = Person | rdfs:range = xsd:string }}OntologyProperty:OtherAppearances2021246363672014-07-08T14:08:34Z @@ -22295,10 +31077,11 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u }}OntologyProperty:OtherFuelType2029590355162014-06-28T22:03:15Z{{ObjectProperty |rdfs:label@en = secondary/other fuel type |rdfs:domain = PowerStation -}}OntologyProperty:OtherFunction2027558340472014-04-04T15:34:39Z{{ObjectProperty +}}OntologyProperty:OtherFunction2027558572682022-03-28T21:51:05Z{{ObjectProperty | labels = -{{label|en|other function}} -{{label|de|andere Funktion}} + {{label|en|other function}} + {{label|fr|autre fonction}} + {{label|de|andere Funktion}} | rdfs:domain = Person }}OntologyProperty:OtherInformation2026904340482014-04-04T15:34:44Z{{DatatypeProperty | labels = @@ -22306,10 +31089,11 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u {{label|de|andere Informationen einer Siedlung}} | rdfs:domain = Settlement | rdfs:range = xsd:string -}}OntologyProperty:OtherLanguage2026895340492014-04-04T15:34:50Z{{DatatypeProperty +}}OntologyProperty:OtherLanguage2026895572692022-03-28T21:53:23Z{{DatatypeProperty | labels = -{{label|en|other language of a settlement}} -{{label|de|anderen Sprache einer Siedlung}} + {{label|en|other language of a settlement}} + {{label|fr|autre langue de la colonie}} + {{label|de|anderen Sprache einer Siedlung}} | rdfs:domain = Settlement | rdfs:range = xsd:string }}OntologyProperty:OtherMedia2027880340502014-04-04T15:34:55Z{{ObjectProperty @@ -22356,6 +31140,15 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u | rdfs:domain = SnookerPlayer | rdfs:range = xsd:nonNegativeInteger | rdfs:subPropertyOf = Wins +}}OntologyProperty:OtherWorks20213833572162022-03-18T19:13:12Z{{ObjectProperty +| labels = + {{label|en|other works}} + {{label|fr|autres oeuvres}} +| rdfs:domain = Work +| rdfs:range = WorkSequence +| comments = + {{comment|en|Tells about existence of other works.}} + {{comment|fr|Indique l'existence d'autres oeuvres antérieures/postérieures. }} }}OntologyProperty:Outflow2021249503262016-02-05T08:21:54Z{{ObjectProperty | rdfs:label@en = outflow | rdfs:label@de = Abfluss @@ -22368,6 +31161,16 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u {{label|en|output}} | rdfs:domain = Place | rdfs:range = xsd:float +}}OntologyProperty:OutputHistory20213824571232022-03-13T19:52:41Z{{DatatypeProperty +| labels = + {{label|en|output history}} + {{label|fr|historique de sortie}} +| comments = + {{comment|en|Existence of multiple output dates.}} + {{comment|fr|Indique qu'il existe plusieurs dates de sortie. Valeur oui / non. +}} +| rdfs:domain = MusicalWork +| rdfs:range = xsd:string }}OntologyProperty:Outskirts2027238258942013-06-12T14:03:14Z{{DatatypeProperty | labels = {{label|en|outskirts}} @@ -22411,7 +31214,7 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u | rdfs:label@de = Besitzerfirma | rdfs:range = Company | rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:OwningOrganisation2021254478212015-04-28T15:24:00Z{{Merge|OntologyProperty:owner}} +}}OntologyProperty:OwningOrganisation2021254587842022-05-31T14:34:20Z{{Merge|OntologyProperty:owner}} {{ObjectProperty @@ -22419,6 +31222,7 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u | rdfs:label@el = οργανισμός | rdfs:range = Organisation | rdfs:subPropertyOf = owner +| owl:equivalentProperty = wikidata:P1830 }}OntologyProperty:Owns20210202536662020-07-30T21:19:33Z{{ObjectProperty | labels = {{label|en|owns}} @@ -22428,14 +31232,33 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u | rdfs:range = Thing | rdfs:subPropertyOf = dul:sameSettingAs | owl:equivalentProperty = schema:owns -}}OntologyProperty:Painter2025621363732014-07-08T14:08:54Z +}}OntologyProperty:Painter2025621572502022-03-28T21:07:22Z {{ObjectProperty -| rdfs:label@en = painter -| rdfs:label@de = Maler -| rdfs:label@el = ζωγράφος +| labels = + {{label|en|painter}} + {{label|fr|peintre}} + {{label|de|Maler}} + {{label|el|ζωγράφος}} | rdfs:domain = Artwork | rdfs:range = Person | rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:Pandemic20213104569812022-03-09T10:41:43Z{{ObjectProperty +| labels = + {{label|en|Pandemic}} + {{label|fr|Pandémie}} + {{label|zh|瘟疫}} +| comments = + {{comment|en|Global epidemic of infectious disease}} + {{comment|fr|Epidémie globale de maladie infectieuse}} + {{comment|zh|也称大流行,是指某种流行病的大范围疾病爆发,其规模涉及多个大陆甚至全球(即全球大流行),并有大量人口患病}} +| rdfs:domain = owl:Thing +| rdfs:range = Disease +}}OntologyProperty:PandemicDeaths20213106548762021-07-22T02:54:09Z{{DatatypeProperty +| labels = +{{label|en|Deaths}} +| rdfs:comment@en = Number of deaths caused by pandemic +| rdfs:domain = Outbreak +| rdfs:range = xsd:integer }}OntologyProperty:Parent2021256535962020-02-04T05:26:28Z {{ObjectProperty | labels = @@ -22469,10 +31292,11 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u | rdfs:range = Organisation | owl:equivalentProperty = schema:branchOf | rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:Parentheses20211993526792017-11-18T10:01:17Z{{ObjectProperty +}}OntologyProperty:Parentheses20211993574432022-04-17T21:25:20Z{{ObjectProperty | labels = -{{label|en|parentheses}} -{{label|nl|haakjes}} + {{label|en|parentheses}} + {{label|fr|parenthèses}} + {{label|nl|haakjes}} | rdfs:domain = Species }}OntologyProperty:Parish2022139363782014-07-08T14:09:10Z @@ -22524,11 +31348,12 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u | rdfs:label@en = partial failed launches | rdfs:range = xsd:nonNegativeInteger | rdfs:comment@en = total number of launches resulting in partial failure -}}OntologyProperty:Participant2025280236842013-02-11T08:08:06Z{{ DatatypeProperty +}}OntologyProperty:Participant2025280574442022-04-17T21:26:17Z{{ DatatypeProperty | labels = -{{label|en|participant}} -{{label|nl|deelnemer}} -{{label|de|Teilnehmer}} + {{label|en|participant}} + {{label|fr|participant}} + {{label|nl|deelnemer}} + {{label|de|Teilnehmer}} | rdfs:domain = Event | rdfs:range = xsd:string }}OntologyProperty:ParticipatingIn20210243385262014-10-03T14:49:21Z{{ObjectProperty @@ -22551,10 +31376,11 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u {{label|nl|Verdelingscoëfficiënt}} | rdfs:domain = ChemicalSubstance | rdfs:range = xsd:float -}}OntologyProperty:Partner2021261363802014-07-08T14:09:16Z +}}OntologyProperty:Partner2021261572702022-03-28T21:55:05Z {{ObjectProperty | labels = {{label|en|partner}} + {{label|fr|partenaire}} {{label|nl|partner}} {{label|el|συνέταιρος}} {{label|de|Partner}} @@ -22577,20 +31403,27 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u | rdfs:label@en = party number | rdfs:label@pt = número do partido | rdfs:range = xsd:integer -}}OntologyProperty:PassengersPerDay2023574127722011-05-11T12:57:34Z{{DatatypeProperty -| rdfs:label@en = passengers per day -| rdfs:label@de = Passagiere pro Tag +}}OntologyProperty:PassengersPerDay2023574568682022-03-01T20:45:22Z{{DatatypeProperty +| labels = + {{label|en|passengers per day}} + {{label|fr|passagers par jour}} + {{label|de|Passagiere pro Tag}} | rdfs:domain = Infrastructure | rdfs:range = xsd:nonNegativeInteger -| rdfs:comment@en = Number of passengers per day. -}}OntologyProperty:PassengersPerYear2023575222712013-01-11T00:20:12Z{{DatatypeProperty +| comments = + {{comment|en|Number of passengers per day.}} + {{comment|fr|Nombre de passagers par jour.}} +}}OntologyProperty:PassengersPerYear2023575572712022-03-28T21:57:30Z{{DatatypeProperty | labels = -{{label|en|passengers per year}} -{{label|nl|passagiers per jaar}} -{{label|de|Passagiere pro Jahr}} + {{label|en|passengers per year}} + {{label|fr|passagers par an}} + {{label|nl|passagiers per jaar}} + {{label|de|Passagiere pro Jahr}} | rdfs:domain = Infrastructure | rdfs:range = xsd:nonNegativeInteger -| rdfs:comment@en = Number of passengers per year. +| comments = + {{comment|en|Number of passengers per year.}} + {{comment|fr|Nombre de passagers par an.}} }}OntologyProperty:PassengersUsedSystem2023251120772011-04-08T12:30:21Z{{DatatypeProperty | rdfs:label@en = passengers used system | rdfs:label@de = benutztes System der Passagiere @@ -22665,11 +31498,19 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u | rdfs:comment@en = Number of deaths caused by pandemic | rdfs:domain = Outbreak | rdfs:range = xsd:integer -}}OntologyProperty:PenisLength2027816271242013-07-05T14:42:18Z{{DatatypeProperty +}}OntologyProperty:PenisLength2027816567772022-02-28T18:34:42Z{{DatatypeProperty | labels = -{{label|en|penis length}} + {{label|en|penis length}} + {{label|fr|longeur du pénis}} | rdfs:domain = Person | rdfs:range = xsd:string +}}OntologyProperty:PeopleFullyVaccinated20213115548892021-07-26T03:53:53Z{{ObjectProperty +| labels = + {{label|en|People Fully Vaccinated}} +| comments = + {{comment|en|VaccinationStatistics: Number of people fully vaccinated.}} +| rdfs:domain = owl:Thing +| rdfs:range = VaccinationStatistics }}OntologyProperty:PeopleName2026897396752015-01-22T07:55:59Z{{DatatypeProperty | labels = {{label|en|peopleName}} @@ -22677,6 +31518,20 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u {{comment|en|Name for the people inhabiting a place, eg Ankara->Ankariotes, Bulgaria->Bulgarians}} | rdfs:domain = PopulatedPlace | rdfs:range = rdf:langString +}}OntologyProperty:PeopleVaccinated20213114548882021-07-26T03:52:37Z{{ObjectProperty +| labels = + {{label|en|People Vaccinated}} +| comments = + {{comment|en|VaccinationStatistics: Number of people vaccinated.}} +| rdfs:domain = owl:Thing +| rdfs:range = VaccinationStatistics +}}OntologyProperty:PeopleVaccinatedPerHundred20213118548922021-07-26T03:59:19Z{{ObjectProperty +| labels = + {{label|en|People Vaccinated Per Hundred}} +| comments = + {{comment|en|VaccinationStatistics: total vaccination percent.}} +| rdfs:domain = owl:Thing +| rdfs:range = VaccinationStatistics }}OntologyProperty:PerCapitaIncome2023268340702014-04-04T16:26:31Z{{DatatypeProperty | rdfs:label@en = per capita income | rdfs:label@de = Pro-Kopf-Einkommen @@ -22711,17 +31566,19 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u | rdfs:comment@en = how much fat (as a percentage) does this food contain. Mostly applies to Cheese | rdfs:domain = Food | rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:PercentageLiteracyMen20211428494442015-11-03T09:55:24Z{{DatatypeProperty +}}OntologyProperty:PercentageLiteracyMen20211428569072022-03-02T19:16:41Z{{DatatypeProperty | labels = -{{label|en|percentage of a place's male population that is literate, degree of analphabetism}} -{{label|nl|percentage van de mannelijke bevolking dat geletterd is}} + {{label|en|percentage of a place's male population that is literate, degree of analphabetism}} + {{label|fr|pourcentage de la population masculine alphabétisée d'un lieu, degré d'analphabétisme}} + {{label|nl|percentage van de mannelijke bevolking dat geletterd is}} | rdfs:domain = PopulatedPlace | rdfs:range = xsd:float | rdfs:subPropertyOf = percentageLiterate -}}OntologyProperty:PercentageLiteracyWomen20211429495042015-11-06T17:23:01Z{{DatatypeProperty +}}OntologyProperty:PercentageLiteracyWomen20211429569082022-03-02T19:19:59Z{{DatatypeProperty | labels = -{{label|en|percentage of a place's female population that is literate, degree of analphabetism}} -{{label|nl|percentage van de vrouwelijke bevolking dat geletterd is}} + {{label|en|percentage of a place's female population that is literate, degree of analphabetism}} + {{label|fr|pourcentage de la population féminine alphabétisée d'un lieu, degré d'analphabétisme}} + {{label|nl|percentage van de vrouwelijke bevolking dat geletterd is}} | rdfs:domain = PopulatedPlace | rdfs:range = xsd:float | rdfs:subProperty = percentageLiterate @@ -22793,11 +31650,51 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u | rdfs:range = PersonFunction | rdfs:domain = Person | rdfs:subPropertyOf = dul:hasRole -}}OntologyProperty:PersonName2021276538012020-12-01T17:56:05Z{{DatatypeProperty -| rdfs:label@en = personName +}}OntologyProperty:PersonName2021276568162022-02-28T22:34:41Z{{DatatypeProperty +| labels = + {{label|en|personName}} + {{label|fr|nom de personne}} | rdfs:domain = PersonFunction | rdfs:range = xsd:string | owl:equivalentProperty=wikidata:P1448 +}}OntologyProperty:PersonsFirstDosesCumul20213130549162021-08-12T06:36:52Z{{DatatypeProperty +| labels = +{{label|en|PersonsFirstDosesCumul}} +| comments = + {{comment|en|Number of persons received first vaccine doses}} +| rdfs:range = xsd:integer +| owl:equivalentProperty = vaccine +| rdfs:domain = owl:Thing +}}OntologyProperty:PersonsFullDosesCumul20213131549172021-08-12T06:38:27Z{{DatatypeProperty +| labels = +{{label|en|PersonsFullDosesCumul}} +| comments = + {{comment|en|Number of persons received full vaccine doses}} +| rdfs:range = xsd:integer +| owl:equivalentProperty = vaccine +| rdfs:domain = owl:Thing +}}OntologyProperty:Pfizer20213111569792022-03-09T10:39:48Z{{DatatypeProperty +| labels = + {{label|en|Pfizer}} + {{label|fr|Pfizer}} + {{label|zh|辉瑞}} +| comments = + {{comment|en|American multinational pharmaceutical corporation the COVID-19 vaccine Pfizer–BioNTech COVID-19 vaccine}} + {{comment|fr|Corporation pharmaceutique multinationale américaine, vaccin contre le COVID-19, vaccin Pfizer–BioNTech COVID-19}} + {{comment|zh|辉瑞是源自美国的跨国制药、生物技术公司,营运总部位于纽约,研发总部位于康涅狄格州的格罗顿市}} +| rdfs:range = xsd:string +| owl:equivalentProperty = vaccine +| rdfs:domain = owl:Thing +}}OntologyProperty:PfizerCumul20213125549102021-08-12T06:12:49Z{{DatatypeProperty +| labels = +{{label|en|PfizerCumulativeDoses}} +| comments = + {{comment|en|American multinational pharmaceutical corporation the COVID-19 vaccine Pfizer–BioNTech COVID-19 vaccine}} + {{comment|en|辉瑞是源自美国的跨国制药、生物技术公司,营运总部位于纽约,研发总部位于康涅狄格州的格罗顿市}} + +| rdfs:range = xsd:integer +| owl:equivalentProperty = pfizer +| rdfs:domain = owl:Thing }}OntologyProperty:PgaWins2027649273182013-07-10T11:27:55Z{{ObjectProperty | labels = {{label|en|pga wins}} @@ -22820,10 +31717,12 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u {{label|en|phone prefix label of a settlement}} | rdfs:domain = Settlement | rdfs:range = rdf:langString -}}OntologyProperty:Photographer2021277537972020-10-29T00:55:08Z +}}OntologyProperty:Photographer2021277572732022-03-28T22:01:08Z {{ObjectProperty -| rdfs:label@en = photographer -| rdfs:label@de = Fotograf +| labels = + {{label|en|photographer}} + {{label|fr|photographe}} + {{label|de|Fotograf}} | rdfs:domain = TelevisionEpisode | rdfs:range = Person | rdfs:subPropertyOf = dul:coparticipatesWith @@ -22842,7 +31741,7 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u | rdfs:subPropertyOf = dul:isSpecializedBy }} == references == -<references/>OntologyProperty:Picture2023217525322017-10-23T09:02:36Z{{ObjectProperty +<references/>OntologyProperty:Picture2023217570912022-03-12T11:33:45Z{{ObjectProperty | labels = {{label|en|picture}} {{label|el|εικόνα}} @@ -22853,8 +31752,9 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u {{label|fr|image}} | rdfs:domain = owl:Thing | rdfs:range = owl:Thing -| rdfs:comment@en = A picture of a thing. -| rdfs:comment@fr = Une image de quelque chose. +| comments = + {{comment|en|A picture of something or someone.}} + {{comment|fr|Image de quelque chose ou quelqu'un.}} | owl:equivalentProperty = schema:image | rdfs:subPropertyOf = dul:concretelyExpresses }}OntologyProperty:PictureDescription2025272340782014-04-04T16:27:09Z{{ ObjectProperty @@ -22864,10 +31764,12 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u | rdfs:domain = owl:Thing | rdfs:range = owl:Thing -}}OntologyProperty:PictureFormat2023055363952014-07-08T14:10:16Z +}}OntologyProperty:PictureFormat2023055572722022-03-28T21:59:26Z {{ObjectProperty -| rdfs:label@en = picture format -| rdfs:label@de = Bildformat +| labels = + {{label|en|picture format}} + {{label|fr|format d'image}} + {{label|de|Bildformat}} | rdfs:domain = Broadcaster | rdfs:range = owl:Thing | rdfs:subPropertyOf = dul:hasQuality @@ -22914,14 +31816,15 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u {{comment|nl|De plaats waar een persoon is begraven.}} | rdfs:subPropertyOf = dul:hasLocation | owl:equivalentProperty = wikidata:P119 -}}OntologyProperty:PlaceOfWorship2026479529212018-02-24T19:51:02Z -{{ObjectProperty +}}OntologyProperty:PlaceOfWorship2026479574462022-04-17T21:30:06Z{{ObjectProperty | labels = {{label|en|place of worship}} + {{label|fr|lieu de culte}} {{label|de|Kultstätte}} {{label|nl|gebedsplaats}} | comments = {{comment|en|A religious administrative body needs to know which places of worship it }} + {{comment|fr|Une structure administrative religieuse doit connaître ses lieux de culte }} {{comment|nl|Een kerkelijke organisatie houdt bij welke gebedshuizen ze heeft}} | rdfs:domain = ClericalAdministrativeRegion | rdfs:range = ReligiousBuilding @@ -23101,7 +32004,13 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u | rdfs:label@de = Anzahl der Stimmen für Kandidaten | rdfs:domain = Election | rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:Population2027908537612020-10-08T22:50:55Z{{ObjectProperty | labels = {{label|en|population}} +}}OntologyProperty:Population2027908571152022-03-12T21:03:18Z{{ObjectProperty +| labels = + {{label|en|population}} + {{label|fr|population}} +| comments = + {{comment|en|all the inhabitants of a particular place; ex: 14200}} + {{comment|fr|nombre total d'habitants du lieu; ex: 14200}} | rdfs:domain = PopulatedPlace | rdfs:range = Population | owl:equivalentProperty = gn:population @@ -23234,9 +32143,11 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u {{label|de|Macht}} | rdfs:domain = FictionalCharacter | rdfs:range = xsd:string -}}OntologyProperty:PowerOutput2021310526022017-10-31T10:50:13Z{{DatatypeProperty -| rdfs:label@en = power output -| rdfs:label@de = Ausgangsleistung +}}OntologyProperty:PowerOutput2021310568292022-03-01T00:32:45Z{{DatatypeProperty +| labels = + {{label|en|power output}} + {{label|fr|puissance de sortie}} + {{label|de|Ausgangsleistung}} | rdfs:domain = Engine | rdfs:range = Power | rdf:type = owl:FunctionalProperty @@ -23390,13 +32301,14 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u | rdfs:domain = Place | rdfs:range = Place | rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:PreviousEvent2021316364262014-07-08T14:12:08Z +}}OntologyProperty:PreviousEvent2021316568992022-03-02T18:23:54Z {{ObjectProperty | labels = {{label|en|previous event}} {{label|de|Vorveranstaltung}} {{label|nl|vorige evenement}} {{label|pt|evento anterior}} + {{label|fr|événement précédent}} | rdfs:domain = Event | rdfs:range = Event | rdfs:subPropertyOf = dul:follows @@ -23433,16 +32345,34 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u {{label|en|previous population total}} | rdfs:domain = PopulatedPlace | rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:PreviousWork2021319364292014-07-08T14:12:18Z -{{ObjectProperty +}}OntologyProperty:PreviousTrackNumber20213814570642022-03-09T19:01:41Z{{DatatypeProperty +| labels = + {{label|en|number of the previous track}} + {{label|fr|numéro de la piste précédente}} +| rdfs:domain = Work +| rdfs:range = xsd:nonNegativeInteger +| comments = + {{comment|en|number of the previous track of the recorded work.}} + {{comment|fr|numéro de la piste précédente du support.}} +}}OntologyProperty:PreviousWork2021319570472022-03-09T16:00:36Z{{ObjectProperty | labels = {{label|en|previous work}} + {{label|fr|oeuvre précédente}} {{label|de|früheren Arbeiten}} {{label|nl|vorig werk}} {{label|el|προηγούμενη δημιουργία}} | rdfs:domain = Work | rdfs:range = Work | rdfs:subPropertyOf = dul:sameSettingAs +}}OntologyProperty:PreviousWorkDate20213812570582022-03-09T17:14:29Z{{ObjectProperty +| labels = + {{label|en|previous work date}} + {{label|fr|année de sortie oeuvre précédente}} +| rdfs:domain = Work +| rdfs:range = year +| comments = + {{comment|en|Year when previous work was released}} + {{comment|fr|Année de sortie de l'oeuvre précédente}} }}OntologyProperty:Price2023537483852015-06-16T14:00:12Z{{DatatypeProperty | rdfs:label@en = price | rdfs:comment@en = The price of something, eg a journal. For "total money earned by an Athlete" use gross @@ -23520,16 +32450,18 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u | rdfs:label@de = hergestellt durch | rdfs:domain = Film | rdfs:range = Company -}}OntologyProperty:Producer2021322525292017-10-19T08:21:39Z -{{ObjectProperty +}}OntologyProperty:Producer2021322570412022-03-09T15:40:07Z{{ObjectProperty | labels = {{label|en|producer}} + {{label|fr|producteur}} {{label|nl|producent}} {{label|de|Produzent}} {{label|el|παραγωγός}} {{label|pl|producent}} {{label|ru|продюсер}} -| rdfs:comment@en = The producer of the creative work. +| comments = + {{comment|en|The producer of the creative work.}} + {{comment|fr|Producteur de l'oeuvre créative.}} | rdfs:domain = Work | rdfs:range = Agent | owl:equivalentProperty = schema:producer @@ -23541,10 +32473,10 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u | rdfs:domain = owl:Thing | rdfs:range = owl:Thing | rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:Product2021323515452016-10-19T06:54:38Z -{{ObjectProperty +}}OntologyProperty:Product2021323570342022-03-09T13:56:25Z{{ObjectProperty | labels = {{label|en|product}} + {{label|fr|produit}} {{label|nl|product}} {{label|de|Produkt}} {{label|el|προϊόν}} @@ -23574,10 +32506,11 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u }}OntologyProperty:ProductionEndDate202132582222010-05-28T13:35:11Z{{DatatypeProperty | rdfs:label@en = production end date | rdfs:range = xsd:date -}}OntologyProperty:ProductionEndYear2021326221822013-01-10T21:01:55Z{{DatatypeProperty +}}OntologyProperty:ProductionEndYear2021326568972022-03-02T18:20:39Z{{DatatypeProperty | labels = -{{label|en|production end year}} -{{label|nl|productie eindjaar}} + {{label|en|production end year}} + {{label|nl|productie eindjaar}} + {{label|fr|dernière année de production}} | rdfs:range = xsd:gYear }}OntologyProperty:ProductionStartDate2021327341242014-04-04T16:30:49Z{{DatatypeProperty | rdfs:label@en = production start date @@ -23588,16 +32521,19 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u {{label|en|production start year}} {{label|nl|productie beginjaar}} | rdfs:range = xsd:gYear -}}OntologyProperty:ProductionYears2021329341252014-04-04T16:30:53Z{{DatatypeProperty -| rdfs:label@en = production years -| rdfs:label@de = Produktionsjahre +}}OntologyProperty:ProductionYears2021329568982022-03-02T18:22:24Z{{DatatypeProperty +| labels = + {{label|en|production years}} + {{label|de|Produktionsjahre}} + {{label|fr|années de production}} | rdfs:domain = Aircraft | rdfs:range = xsd:date -}}OntologyProperty:Profession2021330537962020-10-26T23:47:31Z +}}OntologyProperty:Profession2021330568952022-03-02T18:18:24Z {{ObjectProperty | labels = {{label|en|profession}} {{label|de|Beruf}} + {{label|fr|profession}} {{label|el|επάγγελμα}} {{label|nl|beroep}} | rdfs:domain = Person @@ -23622,10 +32558,11 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u | rdfs:label@fr = langage de programmation | rdfs:domain = Software | rdfs:subPropertyOf = dul:isExpressedBy -}}OntologyProperty:Project2027543341282014-04-04T16:31:06Z{{ObjectProperty +}}OntologyProperty:Project2027543568962022-03-02T18:19:28Z{{ObjectProperty | labels = -{{label|en|project}} -{{label|de|Projekt}} + {{label|en|project}} + {{label|de|Projekt}} + {{label|fr|projet}} | rdfs:domain = Person | rdfs:range = Project }}OntologyProperty:ProjectBudgetFunding2023049114122011-03-31T12:11:42Z{{DatatypeProperty @@ -23639,13 +32576,17 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u | rdfs:domain = ResearchProject | rdfs:range = Currency | rdfs:comment@en = The total budget of the research project. -}}OntologyProperty:ProjectCoordinator2023046364412014-07-08T14:12:59Z +}}OntologyProperty:ProjectCoordinator2023046568052022-02-28T22:07:23Z {{ObjectProperty -| rdfs:label@en = project coordinator -| rdfs:label@de = Projektkoordinator +| labels = + {{label|en|project coordinator}} + {{label|de|Projektkoordinator}} + {{label|fr|régisseur}} | rdfs:domain = ResearchProject | rdfs:range = Organisation -| rdfs:comment@en = The coordinating organisation of the project. +| comments = + {{comment|en|The coordinating organisation of the project.}} + {{comment|fr|Organisation coordinatrice du project.}} | rdfs:subPropertyOf = dul:isSettingFor }}OntologyProperty:ProjectEndDate2023037341312014-04-04T16:31:18Z{{DatatypeProperty | rdfs:label@en = project end date @@ -23698,11 +32639,12 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u | rdfs:label@de = Förderung | rdfs:domain = WrestlingEvent | rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:Pronunciation2027112341382014-04-04T16:31:48Z{{DatatypeProperty +}}OntologyProperty:Pronunciation2027112587972022-05-31T15:32:13Z{{DatatypeProperty | labels = {{label|en|pronunciation}} {{label|de|Aussprache}} | rdfs:range = xsd:string +| owl:equivalentProperty = wikidata:P443 }}OntologyProperty:ProspectLeague2021335270812013-07-05T13:06:02Z{{ObjectProperty | rdfs:label@en = prospect league | rdfs:domain = IceHockeyPlayer @@ -23737,6 +32679,23 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u {{label|en|protestant percentage}} | rdfs:domain = PopulatedPlace | rdfs:range = xsd:string +}}OntologyProperty:Prov:qualifiedRevision20214277591112022-12-01T14:42:45Z{{DatatypeProperty +| labels = +{{label|en| qualified Revision}} +{{label|fr|est dérivé de}} +| comments = +{{comment|fr|http://www.w3.org/ns/prov#qualifiedRevision}} +{{comment|en|http://www.w3.org/ns/prov#qualifiedRevision}} +| rdfs:domain = Prov:Entity +| rdfs:range = Prov:Revision +}}OntologyProperty:Prov:wasRevisionOf20214278591162022-12-01T15:28:50Z{{DatatypeProperty +| labels = +{{label|en|was revision of }} +{{label|en| était la révision de }} +| comments = +{{comment|en|http://www.w3.org/ns/prov#wasRevisionOf}} +| rdfs:domain = prov:Revision +| rdfs:range = prov:Revision }}OntologyProperty:ProvCode2027922276652013-07-15T14:48:21Z{{DatatypeProperty | labels = {{label|en|prove code}} @@ -23780,23 +32739,26 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u | rdfs:domain = University | rdfs:range = Person | rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:Pseudonym2021339348082014-05-14T11:25:13Z{{DatatypeProperty +}}OntologyProperty:Pseudonym2021339587792022-05-31T13:57:07Z{{DatatypeProperty | labels = -{{label|en|pseudonym}} -{{label|nl|pseudoniem}} -{{label|de|Pseudonym}} + {{label|en|pseudonym}} + {{label|nl|pseudoniem}} + {{label|de|Pseudonym}} + {{label|fr|pseudonyme}} | rdfs:domain = Person | rdfs:range = rdf:langString +| owl:equivalentProperty = wikidata:P742 }}OntologyProperty:Pubchem2021340388572014-12-08T21:47:57Z{{DatatypeProperty | rdfs:label@en = PubChem | rdfs:label@fr = PubChem | rdfs:label@ja = PubChem | rdfs:domain = ChemicalSubstance | rdfs:range = xsd:string -}}OntologyProperty:Publication2027956537812020-10-20T16:29:13Z{{DatatypeProperty +}}OntologyProperty:Publication2027956567752022-02-28T18:31:41Z{{DatatypeProperty | labels = -{{label|en|publication}} -{{label|de|Veröffentlichung}} + {{label|en|publication}} + {{label|de|Veröffentlichung}} + {{label|fr|publication}} | rdfs:domain = Person | rdfs:range = xsd:string | owl:equivalentProperty = schema:publication, gnd:publication @@ -23812,13 +32774,16 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u | rdfs:label@de = öffentlich zugänglich | rdfs:comment@en = describes in what way this site is accessible for public | rdfs:range = xsd:string -}}OntologyProperty:Publisher2021343537552020-09-30T12:17:15Z{{ObjectProperty +}}OntologyProperty:Publisher2021343570502022-03-09T16:09:48Z{{ObjectProperty | labels = {{label|en|publisher}} + {{label|fr|éditeur}} {{label|nl|uitgever}} {{label|de|Herausgeber}} {{label|el|εκδότης}} -| rdfs:comment@en=Publisher of a work. For literal (string) use dc:publisher; for object (URL) use publisher +| comments = + {{comment|en|Publisher of a work. For literal (string) use dc:publisher; for object (URL) use publisher}} + {{comment|fr|Editeur d'une oeuvre. Pour le littéral (string) utilisez dc:publisher; pour l'objet (URL) utilisez l'éditeur}} | rdfs:domain = Work | rdfs:range = Agent | owl:equivalentProperty = schema:publisher, dblp2:publishedBy @@ -23933,19 +32898,21 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u {{label|en|racket catching}} | rdfs:domain = TennisPlayer | rdfs:range = xsd:string -}}OntologyProperty:Radio2027703341532014-04-04T16:32:54Z{{ObjectProperty +}}OntologyProperty:Radio2027703572752022-03-28T22:03:45Z{{ObjectProperty | labels = {{label|en|radio}} -{{label|de|Radio}} + {{label|fr|radio}} + {{label|de|Radio}} {{label|el|ραδιόφωνο}} | comments = {{comment|el|To ραδιόφωνο είναι η συσκευή που λειτουργεί ως "ραδιοδέκτης - μετατροπέας" όπου λαμβάνοντας τις ραδιοφωνικές εκπομπές των ραδιοφωνικών σταθμών τις μετατρέπει σε ήχο.}} | rdfs:domain = Person | rdfs:range = RadioStation -}}OntologyProperty:RadioStation20211145490952015-10-10T15:58:36Z{{DatatypeProperty +}}OntologyProperty:RadioStation20211145572742022-03-28T22:02:50Z{{DatatypeProperty | labels = -{{label|en|radio station}} -{{label|nl|radiozender}} + {{label|en|radio station}} + {{label|fr|station de radio}} + {{label|nl|radiozender}} | rdfs:domain = RadioStation | rdfs:range = xsd:string }}OntologyProperty:Radius ly2026152207162012-12-23T12:32:30Z{{DatatypeProperty @@ -23990,11 +32957,14 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u | rdfs:domain = MeanOfTransportation | rdfs:comment@en = Maximum distance without refueling | rdfs:range = xsd:positiveInteger -}}OntologyProperty:Rank2026421486192015-08-06T12:39:55Z{{DatatypeProperty +}}OntologyProperty:Rank2026421570512022-03-09T16:15:03Z{{DatatypeProperty | labels = {{label|en|rank}} +{{label|fr|rang}} {{label|de|Platzierung}} -| rdfs:comment@en = Rank of something among other things of the same kind, eg Constellations by Area; MusicalAlbums by popularity, etc +| comments = + {{comment|en|Rank of something among other things of the same kind, eg Constellations by Area; MusicalAlbums by popularity, etc}} + {{comment|fr|Rang d'un élément parmi d'autres éléments du même type, par ex. les constellations par zone; les albums de musique par popularité, etc...}} | rdfs:range = xsd:string }}OntologyProperty:RankAgreement2027043255422013-05-25T22:56:05Z{{DatatypeProperty | labels = @@ -24015,9 +32985,11 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u {{label|en|rank of a population}} | rdfs:domain = PopulatedPlace | rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:Ranking2021348525912017-10-31T09:06:03Z{{DatatypeProperty -| rdfs:label@en = ranking -| rdfs:label@de = Rangliste +}}OntologyProperty:Ranking2021348568172022-02-28T22:38:00Z{{DatatypeProperty +| labels = + {{label|en|ranking}} + {{label|fr|classement}} + {{label|de|Rangliste}} | rdfs:domain = Organisation | rdfs:range = xsd:positiveInteger }}OntologyProperty:RankingWins2023540126742011-05-07T13:48:35Z{{DatatypeProperty @@ -24050,12 +33022,15 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u | rdfs:label@en = ratio | rdfs:domain = School | rdfs:range = xsd:string -}}OntologyProperty:Rdfs:seeAlso20210471397602015-02-04T10:09:22Z{{ObjectProperty +}}OntologyProperty:Rdfs:seeAlso20210471568612022-03-01T20:17:20Z{{ObjectProperty | labels = {{label|en|is used to indicate a resource that might provide additional information about the subject resource}} -}}OntologyProperty:Rdfs:subClassOf20211208478222015-04-28T15:24:39Z{{ObjectProperty + {{label|fr|utilisé pour indiquer une ressource pouvant fournir des informations supplémentaires concernant la ressource sujet}} +}}OntologyProperty:Rdfs:subClassOf20211208568622022-03-01T20:19:19Z{{ObjectProperty | labels = {{label|en|subclass of}} + {{label|fr|sous-classe de}} + }}OntologyProperty:RebuildDate2022549223462013-01-11T20:28:04Z{{DatatypeProperty | labels = {{label|en|rebuild date}} @@ -24087,12 +33062,13 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u | rdfs:label@en=recommissioning date | rdfs:domain = Ship | rdfs:range = xsd:date -}}OntologyProperty:RecordDate2021352537052020-09-04T15:33:42Z{{DatatypeProperty +}}OntologyProperty:RecordDate2021352570452022-03-09T15:53:50Z{{DatatypeProperty | labels = -{{label|en|record date}} -{{label|de|Stichtag}} -{{label|nl|opname datum}} -{{label|el|ηχογράφηση}} + {{label|en|record date}} + {{label|fr|date d'enregistrement}} + {{label|de|Stichtag}} + {{label|nl|opname datum}} + {{label|el|ηχογράφηση}} | rdfs:domain = MusicalWork | rdfs:range = xsd:date | owl:equivalentProperty = ceo:registratiedatum @@ -24275,9 +33251,11 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u {{label|de|regionale Präfektur}} | rdfs:domain = Place | rdfs:range = xsd:string -}}OntologyProperty:Registration2021363341742014-04-04T16:34:37Z{{DatatypeProperty -| rdfs:label@en = registration -| rdfs:label@de = Anmeldung +}}OntologyProperty:Registration2021363572762022-03-28T22:05:44Z{{DatatypeProperty +| labels = + {{label|en|registration}} + {{label|fr|enregistrement}} + {{label|de|Anmeldung}} | rdfs:domain = Company | rdfs:range = xsd:string }}OntologyProperty:Registry2026535525612017-10-26T13:16:08Z{{DatatypeProperty @@ -24384,14 +33362,17 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u | rdfs:range = xsd:nonNegativeInteger }} -<references/>OntologyProperty:ReleaseDate2021368523742017-10-10T14:48:20Z{{DatatypeProperty -| labels = -{{label|en|release date}} -{{label|da|udgivet}} -{{label|nl|release datum}} -{{label|el|ημερομηνία κυκλοφορίας}} -{{label|pl|data wydania}} -| rdfs:comment@en = Release date of a Work or another product (eg Aircraft or other MeansOfTransportation +<references/>OntologyProperty:ReleaseDate2021368570442022-03-09T15:52:16Z{{DatatypeProperty +| labels = + {{label|en|release date}} + {{label|fr|date de sortie}} + {{label|da|udgivet}} + {{label|nl|release datum}} + {{label|el|ημερομηνία κυκλοφορίας}} + {{label|pl|data wydania}} +| comments = + {{comment|en|Release date of a Work or another product (eg Aircraft or other MeansOfTransportation}} + {{comment|fr|Date de sortie d'un travail ou d'un autre produit (un avion, d'autres moyens de transport...}} | rdfs:range = xsd:date | owl:equivalentProperty = wikidata:P577 }}OntologyProperty:ReleaseLocation20211038453932015-02-18T16:26:07Z{{ObjectProperty @@ -24433,7 +33414,7 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u | rdfs:label@en = religious head label | rdfs:domain = School | rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:ReligiousOrder2026031364732014-07-08T14:14:56Z +}}OntologyProperty:ReligiousOrder2026031587892022-05-31T15:01:06Z {{ObjectProperty | labels = {{label|en|religious order}} @@ -24479,7 +33460,7 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u | rdfs:comment@en = Are reservations required for the establishment or event? | rdfs:domain = Restaurant | rdfs:range = xsd:boolean -}}OntologyProperty:Residence2021371364742014-07-08T14:15:00Z +}}OntologyProperty:Residence2021371587752022-05-31T13:38:17Z {{ObjectProperty | labels = {{label|en|residence}} @@ -24491,7 +33472,7 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u | rdfs:comment@en = Place of residence of a person. | rdfs:domain = Person | rdfs:range = Place -| owl:equivalentProperty = wikidata:P263 +| owl:equivalentProperty = wikidata:P551 | rdfs:subPropertyOf = dul:hasLocation }}OntologyProperty:Resolution2022124364752014-07-08T14:15:14Z {{ObjectProperty @@ -24503,6 +33484,12 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u | rdfs:domain = Software | rdfs:comment@en = Native Resolution | rdfs:subPropertyOf = dul:hasQuality +}}OntologyProperty:Restaurant20214267590972022-10-13T09:50:19Z +{{ObjectProperty +| rdfs:label@en = hotel +| rdfs:label@fr = hotêl +| rdfs:domain = Hotel +| rdfs:range = Building }}OntologyProperty:RestingDate2027978528372018-02-08T20:23:04Z{{DatatypeProperty | labels = {{label|en|resting date}} @@ -24567,7 +33554,7 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u | rdfs:domain = Person | rdfs:range = xsd:date | rdf:type = owl:FunctionalProperty -}}OntologyProperty:Revenue2021379538072020-12-01T18:01:57Z{{DatatypeProperty +}}OntologyProperty:RevPerYear20214282591202022-12-01T17:27:38Z#REDIRECT [[OntologyProperty:NbRevPerYear]]OntologyProperty:Revenue2021379538072020-12-01T18:01:57Z{{DatatypeProperty | labels = {{label|en|revenue}} {{label|de|Einnahmen}} @@ -24581,9 +33568,11 @@ Domain is unrestricted since Organization is Agent but City is Place. Range is u {{label|en|year of reported revenue}} | rdfs:domain = Organization | rdfs:range = xsd:gYear -}}OntologyProperty:Review2021380341892014-04-04T16:36:00Z{{DatatypeProperty -| rdfs:label@en = review -| rdfs:label@de = Rezension +}}OntologyProperty:Review2021380570422022-03-09T15:48:01Z{{DatatypeProperty +| labels = + {{label|en|review}} + {{label|fr|évaluation}} + {{label|de|Rezension}} | rdfs:domain = Album | rdfs:range = xsd:anyURI }}OntologyProperty:RgbCoordinateBlue2022371104482010-11-10T15:01:49Z{{DatatypeProperty @@ -24980,6 +33969,14 @@ http://rkd.nl/explore/artists/$1}} {{label|de|Maßstab}} | rdfs:domain = Place | rdfs:range = xsd:string +}}OntologyProperty:ScaleFactor20213821571542022-03-15T11:48:19Z{{DatatypeProperty +| labels = + {{label|en|scale factor}} + {{label|fr|facteur d'échelle}} +| comments = + {{comment|en|Scale factor (ex: for images) to zoom out (value > 1) or reduce (0 < value < 1) the proportions. Decimal numbers use dot séparator; ex : 0.75 }} + {{comment|fr|Facteur d'échelle (par exemple pour des images) pour aggrandir (valeur > 1) ou réduire (0 < valeur < 1 les proportions. Pour les nombres décimaux, utiliser un point comme séparateur; ex : 0.75 }} +| rdfs:range = xsd:float }}OntologyProperty:Scene2027758342102014-04-04T16:37:34Z{{DatatypeProperty | labels = {{label|en|scene}} @@ -25037,11 +34034,11 @@ http://rkd.nl/explore/artists/$1}} | rdfs:domain = Actor | rdfs:range = Award | rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:Sea2026982365032014-07-08T14:16:47Z -{{ObjectProperty +}}OntologyProperty:Sea2026982567332022-02-28T15:09:03Z{{ObjectProperty | labels = {{label|en|sea}} {{label|de|Meer}} + {{label|fr|mer}} | rdfs:range = Sea | rdfs:domain = Place | rdfs:subPropertyOf = dul:nearTo @@ -25391,3278 +34388,3990 @@ http://rkd.nl/explore/artists/$1}} | rdfs:label@en=ship launched | rdfs:domain = Ship | rdfs:range = xsd:date -}}OntologyProperty:ShoeNumber2023291342762014-04-04T17:17:35Z{{DatatypeProperty +}}OntologyProperty:ShoeNumber2023291572772022-03-28T22:08:09Z{{DatatypeProperty +| labels = + {{label|en|shoe number}} + {{label|fr|pointure}} + {{label|nl|schoenmaat}} + {{label|pt|número do sapato}} +| rdfs:domain = Person +| rdfs:range = xsd:positiveInteger +}}OntologyProperty:ShoeSize2027751567712022-02-28T18:22:50Z{{DatatypeProperty +| labels = +{{label|en|shoe size}} +{{label|fr|pointure}} +{{label|de|Schuhgröße}} +{{label|nl|schoenmaat}} +{{label|pt|número do sapato}} +| rdfs:domain = Person +| rdfs:range = xsd:string +}}OntologyProperty:Shoot2027780342772014-04-04T17:18:01Z{{DatatypeProperty +| labels = +{{label|en|shoot}} +| rdfs:domain = Person +| rdfs:range = xsd:string +}}OntologyProperty:Shoots202141882712010-05-28T13:41:48Z{{DatatypeProperty +| rdfs:label@en = shoots +| rdfs:domain = IceHockeyPlayer +| rdfs:range = xsd:string +}}OntologyProperty:ShoreLength2021419503252016-02-05T08:21:40Z{{DatatypeProperty +| rdfs:label@en = shore length +| rdfs:label@de = Uferlänge +| rdfs:label@el = μήκος_όχθης +| rdfs:domain = BodyOfWater +| rdfs:range = Length +}}OntologyProperty:ShortProgCompetition2028068282312013-09-04T09:12:13Z{{DatatypeProperty +| labels = +{{label|en|short prog competition}} +| rdfs:domain = Person +| rdfs:range = xsd:string +}}OntologyProperty:ShortProgScore2028067282302013-09-04T09:11:35Z{{DatatypeProperty +| labels = +{{label|en|short prog score}} +| rdfs:domain = Person +| rdfs:range = xsd:string +}}OntologyProperty:Show2021422365232014-07-08T14:18:02Z +{{ObjectProperty +| rdfs:label@en = show +| rdfs:label@de = Sendung +| rdfs:label@fr = spectacle +| rdfs:range = TelevisionShow +| rdfs:subPropertyOf = dul:isParticipantIn +}}OntologyProperty:ShowJudge2022103365242014-07-08T14:18:05Z +{{ObjectProperty +| rdfs:label@en = showJudge +| rdfs:domain = TelevisionShow +| rdfs:range = Person +| rdfs:subPropertyOf = dul:hasParticipant +}}OntologyProperty:Shuttle2021423365252014-07-08T14:18:08Z +{{ObjectProperty +| rdfs:label@en = shuttle +| rdfs:domain = SpaceMission +| rdfs:range = SpaceShuttle +| rdfs:subPropertyOf = dul:hasParticipant +}}OntologyProperty:Sibling2026692587942022-05-31T15:18:40Z +{{ObjectProperty +| labels = + {{label|en|sibling}} + {{label|nl|broer of zus}} + {{label|fr|frère ou soeur}} + {{label|de|Geschwister}} + {{label|ja|兄弟}} +| rdfs:domain = Person +| rdfs:range = Person +| rdfs:subPropertyOf = dul:sameSettingAs +| owl:equivalentProperty = wikidata:P3373 +}}OntologyProperty:SignName2026905348462014-05-15T05:19:26Z{{DatatypeProperty +| labels = +{{label|en|sign name of a hungarian settlement}} +| rdfs:domain = HungarySettlement +| rdfs:range = rdf:langString +}}OntologyProperty:Signature2027560342392014-04-04T16:40:42Z{{DatatypeProperty +| labels = +{{label|en|signature}} +{{label|de|Unterschrift}} +| rdfs:domain = Person +| rdfs:range = xsd:string +| owl:equivalentProperty = wikidata:P109 +}}OntologyProperty:SignificantBuilding2021424365272014-07-08T14:18:14Z +{{ObjectProperty +| rdfs:label@en = significant building +| rdfs:label@de = bedeutendes Gebäude +| rdfs:domain = Architect +| rdfs:range = Building +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:SignificantDesign2021425365282014-07-08T14:18:17Z +{{ObjectProperty +| rdfs:label@en = significant design +| rdfs:label@de = bedeutendes Design +| rdfs:domain = Architect +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:SignificantProject2021426365292014-07-08T14:18:20Z +{{ObjectProperty +| rdfs:label@en = significant project +| rdfs:label@de = bedeutendes Projekt +| rdfs:label@pl = istotne osiągnięcie +| rdfs:comment@en = A siginificant artifact constructed by the person. +| rdfs:domain = Person +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:SilCode2023702365302014-07-08T14:18:23Z +{{ObjectProperty +| labels = + {{label|en|SIL code}} + {{label|nl|SIL-code}} + {{label|pl|kod SIL}} +| rdfs:domain = Language +| rdfs:subPropertyOf = LanguageCode, dul:isClassifiedBy +}}OntologyProperty:SilverMedalDouble2027734500752016-01-04T12:37:08Z{{DatatypeProperty +| labels = +{{label|en|silver medal double}} +{{label|de|Silbermedaille Doppel}} +| rdfs:domain = TennisPlayer +| rdfs:range = xsd:string +}}OntologyProperty:SilverMedalMixed2027737500762016-01-04T12:37:51Z{{DatatypeProperty +| labels = +{{label|en|silver medal mixed}} +{{label|de|Silbermedaille gemischt}} +| rdfs:domain = TennisPlayer +| rdfs:range = xsd:string +}}OntologyProperty:SilverMedalSingle2027731500772016-01-04T12:38:32Z{{DatatypeProperty +| labels = +{{label|en|silver medal single}} +{{label|de|Silbermedaille Einzel}} +| rdfs:domain = TennisPlayer +| rdfs:range = xsd:string +}}OntologyProperty:SilverMedalist2025667365312014-07-08T14:18:25Z +{{ObjectProperty +| rdfs:label@en = siler medalist +| rdfs:label@de = Silbermedaillengewinner +| rdfs:label@pt = medalha de prata +| rdfs:label@nl = zilveren medaille drager +| rdfs:domain = SportsEvent +| rdfs:range = Person +| rdfs:subPropertyOf = Medalist, dul:hasParticipant +}}OntologyProperty:SimcCode2023403529282018-02-28T08:38:07Z +{{ObjectProperty +| rdfs:label@en = SIMC code +| rdfs:domain = PopulatedPlace +| rdfs:comment@en = indexing code used by the Polish National Official Register of the Territorial Division of the Country (TERYT) to identify various entities +| rdfs:subPropertyOf = code +| owl:equivalentProperty = dul:isClassifiedBy +| rdfs:comment@en = Should be a datatype property +}}OntologyProperty:Similar2021427365332014-07-08T14:18:34Z +{{ObjectProperty +| rdfs:label@en = similar +| rdfs:label@de = ähnlich +| rdfs:label@el = παρόμοιος +| rdfs:label@pl = podobny +| rdfs:subPropertyOf = dul:sameSettingAs +}}OntologyProperty:SingleList20213818571312022-03-14T17:38:10Z{{ObjectProperty +| labels = + {{label|en|list of singles}} + {{label|fr|liste de singles}} +| comments = + {{comment|en|set of singles}} + {{comment|fr|suite de disques 45tours}} +| rdfs:domain = Album +| rdfs:range = SingleList +}}OntologyProperty:SingleOf20213817571942022-03-18T13:56:18Z{{ObjectProperty +| labels= + {{label|en|singleOf}} + {{label|fr|single extrait}} +| rdfs:domain = SingleList +| rdfs:range = Work +| comments = + {{comment|en|single produced from an album}} + {{comment|fr|single extrait d'un album}} +}}OntologyProperty:Sire2026171365342014-07-08T14:18:37Z +{{ObjectProperty +| labels = + {{label|en|sire}} +| rdfs:domain = Animal +| rdfs:range = Animal +| rdfs:subPropertyOf = dul:sameSettingAs +}}OntologyProperty:Siren2027073255932013-05-26T12:15:44Z{{DatatypeProperty +| labels = +{{label|en|siren number}} +| rdfs:range = xsd:nonNegativeInteger +}}OntologyProperty:Sister20212289535832020-01-30T10:19:55Z{{ObjectProperty +| labels = + {{label|en|sister}} + {{label|nl|zus}} + {{label|de|Schwester}} + {{label|el|αδελφή}} + {{label|ja|シスター}} + {{label|ar|أخت}} +| rdfs:domain = Woman +| rdfs:range = Person +| owl:propertyDisjointWith = parent +}}OntologyProperty:SisterCollege2021428365352014-07-08T14:18:40Z +{{ObjectProperty +| rdfs:label@en = sister college +| rdfs:domain = College +| rdfs:range = College +| rdfs:subPropertyOf = dul:sameSettingAs +}}OntologyProperty:SisterNewspaper2021429365362014-07-08T14:18:43Z +{{ObjectProperty +| rdfs:label@en = sister newspaper +| rdfs:domain = Newspaper +| rdfs:range = Newspaper +| rdfs:subPropertyOf = dul:sameSettingAs +}}OntologyProperty:SisterStation2021430365372014-07-08T14:18:47Z +{{ObjectProperty +| rdfs:label@en = sister station +| rdfs:domain = Broadcaster +| rdfs:range = Broadcaster +| rdfs:subPropertyOf = dul:sameSettingAs +}}OntologyProperty:SixthFormStudents2021431342482014-04-04T16:41:18Z{{DatatypeProperty +| rdfs:label@en = sixth form students +| rdfs:label@de = Schüler der Oberstufe +| rdfs:domain = School +| rdfs:range = xsd:string +}}OntologyProperty:SizeBlazon2027563267772013-07-01T14:46:40Z{{DatatypeProperty +| labels = +{{label|en|size blazon}} +| rdfs:range = xsd:string +}}OntologyProperty:SizeLogo2027070255882013-05-26T12:01:16Z{{DatatypeProperty +| labels = +{{label|en|size logo}} +| rdfs:range = xsd:nonNegativeInteger +}}OntologyProperty:SizeMap2026993342492014-04-04T16:41:23Z{{DatatypeProperty +| labels = +{{label|en|size map}} +{{label|de|Größe der Karte}} +| rdfs:range = xsd:string +}}OntologyProperty:SizeThumbnail2026901268972013-07-03T10:17:41Z{{DatatypeProperty +| labels = +{{label|en|size thumbnail}} +| rdfs:range = xsd:string +}}OntologyProperty:Size v2026139462152015-03-18T11:03:58Z{{DatatypeProperty +| rdfs:label@en = size_v +| rdfs:label@el = μέγεθος +| rdfs:domain = Openswarm +| rdfs:range = xsd:integer +}}OntologyProperty:SkiLift2027189342502014-04-04T16:41:27Z{{DatatypeProperty +| labels = +{{label|en|ski lift}} +{{label|de|Skilift}} +| rdfs:domain = Place +| rdfs:range = xsd:nonNegativeInteger +}}OntologyProperty:SkiPisteKilometre2027197342512014-04-04T16:41:30Z{{DatatypeProperty +| labels = +{{label|en|ski piste kilometre}} +{{label|de|Skipiste km}} +| rdfs:domain = Place +| rdfs:range = Length +}}OntologyProperty:SkiPisteNumber2027192342522014-04-04T16:41:34Z{{DatatypeProperty | labels = -{{label|en|shoe number}} -{{label|nl|schoenmaat}} -{{label|pt|número do sapato}} -| rdfs:domain = Person -| rdfs:range = xsd:positiveInteger -}}OntologyProperty:ShoeSize2027751397742015-02-05T12:22:59Z{{DatatypeProperty +{{label|en|ski piste number}} +{{label|de|Skipistennummer}} +| rdfs:domain = Place +| rdfs:range = xsd:nonNegativeInteger +}}OntologyProperty:SkiTow2027190257402013-06-01T13:19:41Z{{DatatypeProperty | labels = -{{label|en|shoe size}} -{{label|de|Schuhgröße}} -{{label|nl|schoenmaat}} -{{label|pt|número do sapato}} -| rdfs:domain = Person -| rdfs:range = xsd:string -}}OntologyProperty:Shoot2027780342772014-04-04T17:18:01Z{{DatatypeProperty +{{label|en|ski tow}} +| rdfs:domain = Place +| rdfs:range = xsd:nonNegativeInteger +}}OntologyProperty:Skills2026557365382014-07-08T14:18:51Z +{{ObjectProperty | labels = -{{label|en|shoot}} -| rdfs:domain = Person -| rdfs:range = xsd:string -}}OntologyProperty:Shoots202141882712010-05-28T13:41:48Z{{DatatypeProperty -| rdfs:label@en = shoots -| rdfs:domain = IceHockeyPlayer -| rdfs:range = xsd:string -}}OntologyProperty:ShoreLength2021419503252016-02-05T08:21:40Z{{DatatypeProperty -| rdfs:label@en = shore length -| rdfs:label@de = Uferlänge -| rdfs:label@el = μήκος_όχθης -| rdfs:domain = BodyOfWater -| rdfs:range = Length -}}OntologyProperty:ShortProgCompetition2028068282312013-09-04T09:12:13Z{{DatatypeProperty + {{label|en|skills}} + {{label|de|Fähigkeiten}} + {{label|fr|compétences}} + {{label|nl|bekwaamheden}} +| rdfs:subPropertyOf = dul:isDescribedBy +}}OntologyProperty:SkinColor20210478567722022-02-28T18:24:32Z{{DatatypeProperty | labels = -{{label|en|short prog competition}} + {{label|en|skin color}} + {{label|fr|couleur de peau}} | rdfs:domain = Person | rdfs:range = xsd:string -}}OntologyProperty:ShortProgScore2028067282302013-09-04T09:11:35Z{{DatatypeProperty +<!-- | rdfs:subPropertyOf = dul:hasQuality commented, dul:hasQuality defined as object property, see https://github.com/dbpedia/ontology-tracker/issues/9 --> +}}OntologyProperty:Skos:broader2021625247582013-04-05T08:00:06Z{{ObjectProperty +|rdfs:label@en = broader +|rdfs:label@de = weiter +|rdfs:label@it = più ampio +}}OntologyProperty:Skos:notation20211069491212015-10-10T20:51:09Z{{DatatypeProperty +|rdfs:label@en = notation +|rdfs:label@fr = notation +|rdfs:domain = Work +|rdfs:range = xsd:string +}}OntologyProperty:Skos:prefLabel2021627348122014-05-14T11:25:32Z{{DatatypeProperty +|rdfs:label@en = prefLabel +|rdfs:label@de = bevorzugtes Label +|rdfs:label@it = Label preferito +|rdfs:range = rdf:langString +}}OntologyProperty:Skos:related2022906342542014-04-04T16:41:42Z{{ObjectProperty | labels = -{{label|en|short prog score}} -| rdfs:domain = Person +{{label|en|related}} +{{label|de|verbunden}} +{{label|nl|gerelateerd}} +}}OntologyProperty:Skos:subject2021628503322016-02-12T14:07:12ZWrong property!!!, use dct:subject +<!-- +{{ObjectProperty +|rdfs:label@en = subject +|rdfs:label@de = subjekt +|rdfs:label@it = soggetto +|rdfs:comment@en = DEPRECATED +}}-->OntologyProperty:Slogan2021434433332015-02-06T15:06:44Z{{DatatypeProperty +| labels = +{{label|en|slogan}} +{{label|nl|slogan}} +{{label|de|Slogan}} +{{label|bg|Девиз}} + +| rdfs:range = rdf:langString +}}OntologyProperty:Smiles2028170287502013-11-20T11:16:18Z{{DatatypeProperty +| rdfs:label@en = SMILES +| rdfs:domain = ChemicalCompound | rdfs:range = xsd:string -}}OntologyProperty:Show2021422365232014-07-08T14:18:02Z +| rdfs:comment@en = The 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. +}}OntologyProperty:SnowParkNumber2027198257482013-06-01T13:23:16Z{{DatatypeProperty +| labels = +{{label|en|snow park number}} +| rdfs:domain = Place +| rdfs:range = xsd:nonNegativeInteger +}}OntologyProperty:SoccerLeaguePromoted2024573365402014-07-08T14:18:57Z {{ObjectProperty -| rdfs:label@en = show -| rdfs:label@de = Sendung -| rdfs:label@fr = spectacle -| rdfs:range = TelevisionShow -| rdfs:subPropertyOf = dul:isParticipantIn -}}OntologyProperty:ShowJudge2022103365242014-07-08T14:18:05Z +| rdfs:label@en = promoted +| rdfs:label@tr = yükselenler +| rdfs:domain = SoccerLeagueSeason +| rdfs:range = SportsTeam +| rdfs:subPropertyOf = dul:isSettingFor +}}OntologyProperty:SoccerLeagueRelegated2024574365412014-07-08T14:19:00Z {{ObjectProperty -| rdfs:label@en = showJudge -| rdfs:domain = TelevisionShow -| rdfs:range = Person -| rdfs:subPropertyOf = dul:hasParticipant -}}OntologyProperty:Shuttle2021423365252014-07-08T14:18:08Z +| rdfs:label@en = relegated teams +| rdfs:label@de = Absteiger +| rdfs:label@tr = düşenler +| rdfs:domain = SoccerLeagueSeason +| rdfs:range = SportsTeam +| rdfs:subPropertyOf = dul:isSettingFor +}}OntologyProperty:SoccerLeagueSeason2024575365422014-07-08T14:19:04Z {{ObjectProperty -| rdfs:label@en = shuttle -| rdfs:domain = SpaceMission -| rdfs:range = SpaceShuttle +| rdfs:label@en = season +| rdfs:label@de = Saison +| rdfs:label@tr = sezon +| rdfs:domain = SoccerLeagueSeason +| rdfs:range = SoccerLeagueSeason +| rdfs:subPropertyOf = dul:sameSettingAs +}}OntologyProperty:SoccerLeagueWinner2024572365432014-07-08T14:19:07Z +{{ObjectProperty +| rdfs:label@en = league champion +| rdfs:label@de = Liga-Meister +| rdfs:label@tr = şampiyon +| rdfs:domain = SoccerLeagueSeason +| rdfs:range = SportsTeam +| rdfs:subPropertyOf = dul:isSettingFor +}}OntologyProperty:SoccerTournamentClosingSeason2024579365442014-07-08T14:19:11Z +{{ObjectProperty +| rdfs:label@en = closing season +| rdfs:label@tr = kapanış sezonu +| rdfs:domain = SoccerTournament +| rdfs:range = SoccerTournament +| rdfs:subPropertyOf = dul:sameSettingAs +}}OntologyProperty:SoccerTournamentLastChampion2024581365452014-07-08T14:19:15Z +{{ObjectProperty +| rdfs:label@en = last champion +| rdfs:label@de = letzter Sieger +| rdfs:label@tr = son şampiyon +| rdfs:domain = SoccerTournament +| rdfs:range = SoccerClub +| rdfs:subPropertyOf = dul:isSettingFor +}}OntologyProperty:SoccerTournamentMostSteady2024583365462014-07-08T14:19:19Z +{{ObjectProperty +| rdfs:label@en = most steady +| rdfs:label@tr = en istikrarlı +| rdfs:domain = SoccerTournament +| rdfs:range = SoccerClub +| rdfs:subPropertyOf = dul:isSettingFor +}}OntologyProperty:SoccerTournamentMostSuccesfull2024582365472014-07-08T14:19:22Z +{{ObjectProperty +| rdfs:label@en = most successfull +| rdfs:label@de = am erfolgreichsten +| rdfs:label@tr = en başarılı +| rdfs:domain = SoccerTournament +| rdfs:range = SoccerClub +| rdfs:subPropertyOf = dul:isSettingFor +}}OntologyProperty:SoccerTournamentOpeningSeason2024578365482014-07-08T14:19:36Z +{{ObjectProperty +| rdfs:label@en = opening season +| rdfs:label@tr = açılış sezonu +| rdfs:domain = SoccerTournament +| rdfs:range = SoccerTournament +| rdfs:subPropertyOf = dul:sameSettingAs +}}OntologyProperty:SoccerTournamentThisSeason2024580365492014-07-08T14:19:39Z +{{ObjectProperty +| rdfs:label@en = this season +| rdfs:label@tr = bu sezon +| rdfs:domain = SoccerTournament +| rdfs:range = SoccerTournament +| rdfs:subPropertyOf = dul:sameSettingAs +}}OntologyProperty:SoccerTournamentTopScorer2024584365502014-07-08T14:19:41Z +{{ObjectProperty +| rdfs:label@en = top scorer +| rdfs:label@de = Torschützenkönig +| rdfs:label@tr = en golcü +| rdfs:domain = SoccerTournament +| rdfs:range = SoccerPlayer | rdfs:subPropertyOf = dul:hasParticipant -}}OntologyProperty:Sibling2026692365262014-07-08T14:18:11Z +}}OntologyProperty:SolicitorGeneral2026602365512014-07-08T14:19:44Z +{{ObjectProperty +| labels = + {{label|en|solicitor general}} + {{label|de|Generalstaatsanwalt}} + {{label|nl|advocaat-generaal}} +| comments = + {{comment|en|high-ranking solicitor }} + {{comment|nl|de advocaat-generaal}} +| rdfs:domain = LegalCase +| rdfs:range = Person +| rdf:type = | rdfs:subPropertyOf = personFunction +| owl:equivalentProperty = +| rdfs:subPropertyOf = dul:isSettingFor +}}OntologyProperty:Solubility2028927342642014-04-04T16:42:33Z{{DatatypeProperty +| rdfs:label@en = solubility +| rdfs:label@de = Löslichkeit +| rdfs:label@nl = oplosbaarheid +| rdfs:domain = ChemicalSubstance +| rdfs:range = xsd:integer +}}OntologyProperty:Solvent20212045528012018-02-07T19:13:49Z{{ObjectProperty +| rdfs:label@en = solvent +| rdfs:label@de = Lösungsmittel +| rdfs:domain = ChemicalSubstance +| rdfs:range = ChemicalSubstance +}}OntologyProperty:SolventWithBadSolubility2028930342652014-04-04T16:42:37Z{{ObjectProperty +| rdfs:label@en = solvent with bad solubility +| rdfs:label@de = Lösungsmittel mit schlechter Löslichkeit +| rdfs:label@nl = slecht oplosbaar in +| rdfs:domain = ChemicalSubstance +| rdfs:range = ChemicalSubstance +}}OntologyProperty:SolventWithGoodSolubility2028928342662014-04-04T16:42:41Z{{ObjectProperty +| rdfs:label@en = solvent with good solubility +| rdfs:label@de = Lösungsmittel mit guter Löslichkeit +| rdfs:label@nl = goed oplosbaar in +| rdfs:domain = ChemicalSubstance +| rdfs:range = ChemicalSubstance +}}OntologyProperty:SolventWithMediocreSolubility2028931342672014-04-04T16:42:45Z{{ObjectProperty +| rdfs:label@en = solvent with mediocre solubility +| rdfs:label@de = Lösungsmittel mit mittelmäßiger Löslichkeit +| rdfs:label@nl = matig oplosbaar in +| rdfs:domain = ChemicalSubstance +| rdfs:range = ChemicalSubstance +}}OntologyProperty:Son20212290535862020-01-30T18:19:07Z{{ObjectProperty +| labels = + {{label|en|son}} + {{label|nl|zoon}} + {{label|de|Sohn}} + {{label|el|υιός}} + {{label|ja|息子}} + {{label|ar|ابن}} +| rdfs:domain = Man +| rdfs:range = Person +| owl:propertyDisjointWith = parent +}}OntologyProperty:SoundRecording20211030453562015-02-16T09:14:28Z{{ObjectProperty +| labels = + {{label|en|sound recording}} +| rdfs:range = Sound +| rdfs:comment@en = Sound recording somehow related to the subject +}}OntologyProperty:Source2021704537082020-09-04T15:38:08Z +{{ObjectProperty +| rdfs:label@en = source +| rdfs:label@de = Quelle +| rdfs:label@el = πηγή +| rdfs:subPropertyOf = dul:hasCommonBoundary +| owl:equivalentProperty = ceo:bronidentificatie +}}OntologyProperty:SourceConfluence2021437365532014-07-08T14:19:51Z +{{ObjectProperty +| rdfs:label@en = source confluence +| rdfs:label@es = lugar de nacimiento +| rdfs:label@el = πηγές +| rdfs:domain = River +| rdfs:subPropertyOf = dul:hasCommonBoundary +}}OntologyProperty:SourceConfluenceCountry2021438365542014-07-08T14:19:54Z {{ObjectProperty -| labels = - {{label|en|sibling}} - {{label|nl|broer of zus}} - {{label|fr|frère ou soeur}} - {{label|de|Geschwister}} - {{label|ja|兄弟}} -| rdfs:domain = Person -| rdfs:range = Person -| rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:SignName2026905348462014-05-15T05:19:26Z{{DatatypeProperty -| labels = -{{label|en|sign name of a hungarian settlement}} -| rdfs:domain = HungarySettlement -| rdfs:range = rdf:langString -}}OntologyProperty:Signature2027560342392014-04-04T16:40:42Z{{DatatypeProperty -| labels = -{{label|en|signature}} -{{label|de|Unterschrift}} -| rdfs:domain = Person -| rdfs:range = xsd:string -| owl:equivalentProperty = wikidata:P109 -}}OntologyProperty:SignificantBuilding2021424365272014-07-08T14:18:14Z +| rdfs:label@en = source confluence country +| rdfs:domain = River +| rdfs:range = Country +| rdfs:subPropertyOf = dul:hasLocation +}}OntologyProperty:SourceConfluenceElevation202143982762010-05-28T13:42:27Z{{DatatypeProperty +| rdfs:label@en = source confluence elevation +| rdfs:range = Length +}}OntologyProperty:SourceConfluenceMountain2021440365552014-07-08T14:19:57Z {{ObjectProperty -| rdfs:label@en = significant building -| rdfs:label@de = bedeutendes Gebäude -| rdfs:domain = Architect -| rdfs:range = Building -| rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:SignificantDesign2021425365282014-07-08T14:18:17Z +| rdfs:label@en = source confluence mountain +| rdfs:domain = River +| rdfs:range = Mountain +| rdfs:subPropertyOf = dul:nearTo +}}OntologyProperty:SourceConfluencePlace2021441365562014-07-08T14:20:00Z {{ObjectProperty -| rdfs:label@en = significant design -| rdfs:label@de = bedeutendes Design -| rdfs:domain = Architect -| rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:SignificantProject2021426365292014-07-08T14:18:20Z +| rdfs:label@en = source confluence place +| rdfs:domain = River +| rdfs:range = Place +| rdfs:subPropertyOf = dul:hasLocation +}}OntologyProperty:SourceConfluencePosition2021442365572014-07-08T14:20:03Z {{ObjectProperty -| rdfs:label@en = significant project -| rdfs:label@de = bedeutendes Projekt -| rdfs:label@pl = istotne osiągnięcie -| rdfs:comment@en = A siginificant artifact constructed by the person. -| rdfs:domain = Person -| rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:SilCode2023702365302014-07-08T14:18:23Z +| rdfs:label@en = source confluence position +| rdfs:domain = River +| rdfs:range = geo:SpatialThing +| rdfs:subPropertyOf = dul:hasLocation +}}OntologyProperty:SourceConfluenceRegion2021443365582014-07-08T14:20:06Z {{ObjectProperty -| labels = - {{label|en|SIL code}} - {{label|nl|SIL-code}} - {{label|pl|kod SIL}} -| rdfs:domain = Language -| rdfs:subPropertyOf = LanguageCode, dul:isClassifiedBy -}}OntologyProperty:SilverMedalDouble2027734500752016-01-04T12:37:08Z{{DatatypeProperty -| labels = -{{label|en|silver medal double}} -{{label|de|Silbermedaille Doppel}} -| rdfs:domain = TennisPlayer -| rdfs:range = xsd:string -}}OntologyProperty:SilverMedalMixed2027737500762016-01-04T12:37:51Z{{DatatypeProperty -| labels = -{{label|en|silver medal mixed}} -{{label|de|Silbermedaille gemischt}} -| rdfs:domain = TennisPlayer -| rdfs:range = xsd:string -}}OntologyProperty:SilverMedalSingle2027731500772016-01-04T12:38:32Z{{DatatypeProperty -| labels = -{{label|en|silver medal single}} -{{label|de|Silbermedaille Einzel}} -| rdfs:domain = TennisPlayer -| rdfs:range = xsd:string -}}OntologyProperty:SilverMedalist2025667365312014-07-08T14:18:25Z +| rdfs:label@en = source confluence region +| rdfs:domain = River +| rdfs:range = Place +| rdfs:subPropertyOf = dul:hasLocation +}}OntologyProperty:SourceConfluenceState2021444365592014-07-08T14:20:09Z {{ObjectProperty -| rdfs:label@en = siler medalist -| rdfs:label@de = Silbermedaillengewinner -| rdfs:label@pt = medalha de prata -| rdfs:label@nl = zilveren medaille drager -| rdfs:domain = SportsEvent -| rdfs:range = Person -| rdfs:subPropertyOf = Medalist, dul:hasParticipant -}}OntologyProperty:SimcCode2023403529282018-02-28T08:38:07Z +| rdfs:label@en = source confluence state +| rdfs:domain = River +| rdfs:range = PopulatedPlace +| rdfs:subPropertyOf = dul:hasLocation +}}OntologyProperty:SourceCountry2021445529302018-02-28T09:04:07Z {{ObjectProperty -| rdfs:label@en = SIMC code -| rdfs:domain = PopulatedPlace -| rdfs:comment@en = indexing code used by the Polish National Official Register of the Territorial Division of the Country (TERYT) to identify various entities -| rdfs:subPropertyOf = code -| owl:equivalentProperty = dul:isClassifiedBy -| rdfs:comment@en = Should be a datatype property -}}OntologyProperty:Similar2021427365332014-07-08T14:18:34Z +| rdfs:label@en = source country +| rdfs:domain = Stream +| rdfs:range = Country +| owl:equivalentProperty = dul:hasLocation +}}OntologyProperty:SourceDistrict2021446365612014-07-08T14:20:15Z {{ObjectProperty -| rdfs:label@en = similar -| rdfs:label@de = ähnlich -| rdfs:label@el = παρόμοιος -| rdfs:label@pl = podobny -| rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:Sire2026171365342014-07-08T14:18:37Z +| rdfs:label@en = source district +| rdfs:range = PopulatedPlace +| rdfs:subPropertyOf = dul:hasLocation +}}OntologyProperty:SourceElevation202144782772010-05-28T13:42:36Z{{DatatypeProperty +| rdfs:label@en = source elevation +| rdfs:range = Length +}}OntologyProperty:SourceMountain2021448365622014-07-08T14:20:18Z {{ObjectProperty +| rdfs:label@en = source mountain +| rdfs:range = Mountain +| rdfs:subPropertyOf = dul:hasLocation +}}OntologyProperty:SourceName20213120548942021-07-26T04:03:09Z{{ObjectProperty | labels = - {{label|en|sire}} -| rdfs:domain = Animal -| rdfs:range = Animal -| rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:Siren2027073255932013-05-26T12:15:44Z{{DatatypeProperty -| labels = -{{label|en|siren number}} -| rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:Sister20212289535832020-01-30T10:19:55Z{{ObjectProperty -| labels = - {{label|en|sister}} - {{label|nl|zus}} - {{label|de|Schwester}} - {{label|el|αδελφή}} - {{label|ja|シスター}} - {{label|ar|أخت}} -| rdfs:domain = Woman -| rdfs:range = Person -| owl:propertyDisjointWith = parent -}}OntologyProperty:SisterCollege2021428365352014-07-08T14:18:40Z + {{label|en|Source Name}} +| comments = + {{comment|en|VaccinationStatistics: Source Authority name.}} +| rdfs:domain = owl:Thing +| rdfs:range = VaccinationStatistics +}}OntologyProperty:SourcePlace2021449365632014-07-08T14:20:21Z {{ObjectProperty -| rdfs:label@en = sister college -| rdfs:domain = College -| rdfs:range = College -| rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:SisterNewspaper2021429365362014-07-08T14:18:43Z +| rdfs:label@en = source place +| rdfs:range = PopulatedPlace +| rdfs:subPropertyOf = dul:hasLocation +}}OntologyProperty:SourcePosition2021450365642014-07-08T14:20:25Z {{ObjectProperty -| rdfs:label@en = sister newspaper -| rdfs:domain = Newspaper -| rdfs:range = Newspaper -| rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:SisterStation2021430365372014-07-08T14:18:47Z +| rdfs:label@en = source position +| rdfs:range = geo:SpatialThing +| rdfs:subPropertyOf = dul:hasLocation +}}OntologyProperty:SourceRegion2021451365652014-07-08T14:20:28Z {{ObjectProperty -| rdfs:label@en = sister station -| rdfs:domain = Broadcaster -| rdfs:range = Broadcaster -| rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:SixthFormStudents2021431342482014-04-04T16:41:18Z{{DatatypeProperty -| rdfs:label@en = sixth form students -| rdfs:label@de = Schüler der Oberstufe -| rdfs:domain = School -| rdfs:range = xsd:string -}}OntologyProperty:SizeBlazon2027563267772013-07-01T14:46:40Z{{DatatypeProperty -| labels = -{{label|en|size blazon}} -| rdfs:range = xsd:string -}}OntologyProperty:SizeLogo2027070255882013-05-26T12:01:16Z{{DatatypeProperty -| labels = -{{label|en|size logo}} -| rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:SizeMap2026993342492014-04-04T16:41:23Z{{DatatypeProperty -| labels = -{{label|en|size map}} -{{label|de|Größe der Karte}} -| rdfs:range = xsd:string -}}OntologyProperty:SizeThumbnail2026901268972013-07-03T10:17:41Z{{DatatypeProperty -| labels = -{{label|en|size thumbnail}} -| rdfs:range = xsd:string -}}OntologyProperty:Size v2026139462152015-03-18T11:03:58Z{{DatatypeProperty -| rdfs:label@en = size_v -| rdfs:label@el = μέγεθος -| rdfs:domain = Openswarm -| rdfs:range = xsd:integer -}}OntologyProperty:SkiLift2027189342502014-04-04T16:41:27Z{{DatatypeProperty +| rdfs:label@en = source region +| rdfs:range = PopulatedPlace +| rdfs:subPropertyOf = dul:hasLocation +}}OntologyProperty:SourceState2021452365662014-07-08T14:20:32Z +{{ObjectProperty +| rdfs:label@en = source state +| rdfs:range = PopulatedPlace +| rdfs:subPropertyOf = dul:hasLocation +}}OntologyProperty:SourceText20210419394232015-01-19T17:02:05Z{{DatatypeProperty +| labels= +{{label|en|sourceText}} +| comments= +{{comment|en|Source of something (eg an image) as text. Use dct:source if the source is described using a resource}} +| rdfs:domain = owl:Thing +| rdfs:range = rdf:langString +}}OntologyProperty:SourceWebsite20213121548952021-07-26T04:05:37Z{{ObjectProperty | labels = -{{label|en|ski lift}} -{{label|de|Skilift}} + {{label|en|Source Website}} +| comments = + {{comment|en|VaccinationStatistics: source website.}} +| rdfs:domain = owl:Thing +| rdfs:range = VaccinationStatistics +}}OntologyProperty:SouthEastPlace20211088455962015-03-08T14:10:40Z{{ObjectProperty +| rdfs:label@en = south-east place +| rdfs:label@fr = lieu au sud-est +| rdfs:comment@fr = indique un autre lieu situé au sud-est. +| rdfs:comment@en = indicates another place situated south-east. | rdfs:domain = Place -| rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:SkiPisteKilometre2027197342512014-04-04T16:41:30Z{{DatatypeProperty +| rdfs:range = Place +| owl:inverseOf = northWestPlace +| rdfs:subPropertyOf = closeTo + +}}OntologyProperty:SouthPlace20211083455942015-03-08T14:08:55Z{{ObjectProperty +| rdfs:label@en = south place +| rdfs:label@fr = lieu au sud +| rdfs:comment@fr = indique un autre lieu situé au sud. +| rdfs:comment@en = indicates another place situated south. +| rdfs:domain = Place +| rdfs:range = Place +| owl:inverseOf = northPlace +| rdfs:subPropertyOf = closeTo +}}OntologyProperty:SouthWestPlace20211090455952015-03-08T14:09:48Z{{ObjectProperty +| rdfs:label@en = south-west place +| rdfs:label@fr = lieu au sud-ouest +| rdfs:comment@fr = indique un autre lieu situé au sud-ouest. +| rdfs:comment@en = indicates another place situated south-west. +| rdfs:domain = Place +| rdfs:range = Place +| owl:inverseOf = northEastPlace +| rdfs:subPropertyOf = closeTo + +}}OntologyProperty:SovereignCountry2027054365672014-07-08T14:20:35Z +{{ObjectProperty | labels = -{{label|en|ski piste kilometre}} -{{label|de|Skipiste km}} + {{label|en|sovereign country}} + {{label|de|souveräner Staat}} | rdfs:domain = Place -| rdfs:range = Length -}}OntologyProperty:SkiPisteNumber2027192342522014-04-04T16:41:34Z{{DatatypeProperty +| rdfs:range = PopulatedPlace +| rdfs:subPropertyOf = dul:isPartOf +}}OntologyProperty:Space2026427234692013-01-22T13:09:07Z{{DatatypeProperty | labels = -{{label|en|ski piste number}} -{{label|de|Skipistennummer}} -| rdfs:domain = Place +{{label|en|space}} +{{label|de|Raum}} +| rdfs:domain = Building | rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:SkiTow2027190257402013-06-01T13:19:41Z{{DatatypeProperty +}}OntologyProperty:Spacecraft2021453365682014-07-08T14:20:38Z +{{ObjectProperty +| rdfs:label@en = spacecraft +| rdfs:label@de = Raumfahrzeug +| rdfs:label@el = διαστημόπλοιο +| rdfs:label@fr = véhicule spatial +| rdfs:domain = SpaceMission +| rdfs:range = Spacecraft +| rdfs:subPropertyOf = dul:hasParticipant +}}OntologyProperty:Spacestation20210461397242015-01-27T16:48:28Z{{ObjectProperty | labels = -{{label|en|ski tow}} -| rdfs:domain = Place -| rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:Skills2026557365382014-07-08T14:18:51Z + {{label|en|spacestation}} + {{label|de|raumstation}} +| comments = + {{comment|en|space station that has been visited during a space mission}} + {{comment|de|Raumstation, die während einer Raummission besucht wurde}} +| rdfs:domain = SpaceMission +| rdfs:range = SpaceStation +}}OntologyProperty:SpacewalkBegin2021454343082014-04-08T13:36:12Z{{DatatypeProperty +| rdfs:label@en = spacewalk begin +| rdfs:label@de = Beginn Weltraumspaziergang +| rdfs:domain = SpaceMission +| rdfs:range = xsd:date +}}OntologyProperty:SpacewalkEnd2021455343092014-04-08T13:36:15Z{{DatatypeProperty +| rdfs:label@en = spacewalk end +| rdfs:label@de = Ende Weltraumspaziergang +| rdfs:domain = SpaceMission +| rdfs:range = xsd:date +}}OntologyProperty:Speaker2022358344602014-04-08T14:49:29Z{{DatatypeProperty +| rdfs:label@en = speaker +| rdfs:comment@en = number of office holder +| rdfs:range = xsd:integer +}}OntologyProperty:SpecialEffects2025147365692014-07-08T14:20:41Z {{ObjectProperty +| rdfs:domain = Film +| rdfs:range = Person +| rdfs:label@en = special effects +| rdfs:label@de = Spezialeffekte +| rdfs:comment@en = the person who is responsible for the film special effects +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:SpecialTrial2027889273942013-07-10T15:23:18Z{{DatatypeProperty | labels = - {{label|en|skills}} - {{label|de|Fähigkeiten}} - {{label|fr|compétences}} - {{label|nl|bekwaamheden}} -| rdfs:subPropertyOf = dul:isDescribedBy -}}OntologyProperty:SkinColor20210478503412016-02-12T20:51:28Z{{DatatypeProperty -| rdfs:label@en = skin color +{{label|en|special trial}} +| rdfs:range = xsd:nonNegativeInteger +| rdfs:domain = Person +}}OntologyProperty:Specialist2021456522962017-10-08T19:37:56Z{{ObjectProperty +| rdfs:label@en = specialist +| rdfs:label@de = Spezialist +| rdfs:domain = owl:Thing +| rdfs:range = PersonFunction +}}OntologyProperty:Speciality2027700343132014-04-08T13:36:34Z{{DatatypeProperty +| labels = +{{label|en|speciality}} +{{label|de|Spezialität}} | rdfs:domain = Person | rdfs:range = xsd:string -<!-- | rdfs:subPropertyOf = dul:hasQuality commented, dul:hasQuality defined as object property, see https://github.com/dbpedia/ontology-tracker/issues/9 --> -}}OntologyProperty:Skos:broader2021625247582013-04-05T08:00:06Z{{ObjectProperty -|rdfs:label@en = broader -|rdfs:label@de = weiter -|rdfs:label@it = più ampio -}}OntologyProperty:Skos:notation20211069491212015-10-10T20:51:09Z{{DatatypeProperty -|rdfs:label@en = notation -|rdfs:label@fr = notation -|rdfs:domain = Work -|rdfs:range = xsd:string -}}OntologyProperty:Skos:prefLabel2021627348122014-05-14T11:25:32Z{{DatatypeProperty -|rdfs:label@en = prefLabel -|rdfs:label@de = bevorzugtes Label -|rdfs:label@it = Label preferito -|rdfs:range = rdf:langString -}}OntologyProperty:Skos:related2022906342542014-04-04T16:41:42Z{{ObjectProperty +}}OntologyProperty:Specialization20211904522902017-10-08T19:15:30Z{{ObjectProperty | labels = -{{label|en|related}} -{{label|de|verbunden}} -{{label|nl|gerelateerd}} -}}OntologyProperty:Skos:subject2021628503322016-02-12T14:07:12ZWrong property!!!, use dct:subject -<!-- -{{ObjectProperty -|rdfs:label@en = subject -|rdfs:label@de = subjekt -|rdfs:label@it = soggetto -|rdfs:comment@en = DEPRECATED -}}-->OntologyProperty:Slogan2021434433332015-02-06T15:06:44Z{{DatatypeProperty + {{label|en|specialization}} + {{label|de|Spezialisierung}} +| comments = + {{comment|en|Points out the subject or thing someone or something is specialized in (for).}} + {{comment|de|Verweist of den Gegenstand (auch fig.) auf welchen jemand oder etwas spezialisiert ist.}} +| rdfs:domain = owl:Thing +| rdfs:range = owl:Thing +}}OntologyProperty:Species2021457520162017-04-07T09:29:00Z{{ObjectProperty | labels = -{{label|en|slogan}} -{{label|nl|slogan}} -{{label|de|Slogan}} -{{label|bg|Девиз}} - -| rdfs:range = rdf:langString -}}OntologyProperty:Smiles2028170287502013-11-20T11:16:18Z{{DatatypeProperty -| rdfs:label@en = SMILES -| rdfs:domain = ChemicalCompound + {{label|en|species}} + {{label|de|Spezies}} + {{label|nl|soort}} + {{label|ja|種_(分類学) }} + {{label|fr|espèce}} +| rdfs:domain = Species +| rdfs:range = Species +| rdfs:subPropertyOf = dul:specializes +}}OntologyProperty:SpeedLimit2023427124272011-04-26T13:14:35Z{{DatatypeProperty +| rdfs:label@en = speed limit +| rdfs:label@de = Tempolimit +| rdfs:domain= RouteOfTransportation +| rdfs:range = Speed +}}OntologyProperty:Spike2024438344592014-04-08T14:48:09Z{{DatatypeProperty +| rdfs:label@en = spike +| rdfs:label@de = schmettern +| rdfs:label@el = καρφί +| rdfs:label@tr = smaç +| rdfs:domain = VolleyballPlayer | rdfs:range = xsd:string -| rdfs:comment@en = The 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. -}}OntologyProperty:SnowParkNumber2027198257482013-06-01T13:23:16Z{{DatatypeProperty -| labels = -{{label|en|snow park number}} -| rdfs:domain = Place -| rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:SoccerLeaguePromoted2024573365402014-07-08T14:18:57Z -{{ObjectProperty -| rdfs:label@en = promoted -| rdfs:label@tr = yükselenler -| rdfs:domain = SoccerLeagueSeason -| rdfs:range = SportsTeam -| rdfs:subPropertyOf = dul:isSettingFor -}}OntologyProperty:SoccerLeagueRelegated2024574365412014-07-08T14:19:00Z -{{ObjectProperty -| rdfs:label@en = relegated teams -| rdfs:label@de = Absteiger -| rdfs:label@tr = düşenler -| rdfs:domain = SoccerLeagueSeason -| rdfs:range = SportsTeam -| rdfs:subPropertyOf = dul:isSettingFor -}}OntologyProperty:SoccerLeagueSeason2024575365422014-07-08T14:19:04Z +}}OntologyProperty:SplitFromParty2023724365712014-07-08T14:20:48Z {{ObjectProperty -| rdfs:label@en = season -| rdfs:label@de = Saison -| rdfs:label@tr = sezon -| rdfs:domain = SoccerLeagueSeason -| rdfs:range = SoccerLeagueSeason +| rdfs:label@en = split from party +| rdfs:label@de = Abspaltung von Partei +| rdfs:domain = PoliticalParty +| rdfs:range = PoliticalParty | rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:SoccerLeagueWinner2024572365432014-07-08T14:19:07Z +}}OntologyProperty:SpokenIn2021470365722014-07-08T14:20:52Z {{ObjectProperty -| rdfs:label@en = league champion -| rdfs:label@de = Liga-Meister -| rdfs:label@tr = şampiyon -| rdfs:domain = SoccerLeagueSeason -| rdfs:range = SportsTeam -| rdfs:subPropertyOf = dul:isSettingFor -}}OntologyProperty:SoccerTournamentClosingSeason2024579365442014-07-08T14:19:11Z +| labels = + {{label|en|spoken in}} + {{label|de|gesprochen in}} + {{label|nl|gesproken in}} +| rdfs:domain = Language +| rdfs:range = PopulatedPlace +| rdfs:subPropertyOf = dul:hasLocation +}}OntologyProperty:Spokesperson2023347365732014-07-08T14:20:56Z {{ObjectProperty -| rdfs:label@en = closing season -| rdfs:label@tr = kapanış sezonu -| rdfs:domain = SoccerTournament -| rdfs:range = SoccerTournament +| rdfs:label@en = spokesperson +| rdfs:label@de = Sprecher +| rdfs:label@pt = porta-voz +| rdfs:domain = PoliticalParty +| rdfs:range = Person | rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:SoccerTournamentLastChampion2024581365452014-07-08T14:19:15Z -{{ObjectProperty -| rdfs:label@en = last champion -| rdfs:label@de = letzter Sieger -| rdfs:label@tr = son şampiyon -| rdfs:domain = SoccerTournament -| rdfs:range = SoccerClub -| rdfs:subPropertyOf = dul:isSettingFor -}}OntologyProperty:SoccerTournamentMostSteady2024583365462014-07-08T14:19:19Z +}}OntologyProperty:Sport2021458365742014-07-08T14:21:00Z {{ObjectProperty -| rdfs:label@en = most steady -| rdfs:label@tr = en istikrarlı -| rdfs:domain = SoccerTournament -| rdfs:range = SoccerClub -| rdfs:subPropertyOf = dul:isSettingFor -}}OntologyProperty:SoccerTournamentMostSuccesfull2024582365472014-07-08T14:19:22Z +| labels = + {{label|en|sport}} + {{label|de|Sport}} + {{label|el|άθλημα}} + {{label|fr|sport}} +| rdfs:range = Sport +| rdfs:subPropertyOf = dul:isParticipantIn +}}OntologyProperty:SportCountry2023534365752014-07-08T14:21:05Z {{ObjectProperty -| rdfs:label@en = most successfull -| rdfs:label@de = am erfolgreichsten -| rdfs:label@tr = en başarılı -| rdfs:domain = SoccerTournament -| rdfs:range = SoccerClub -| rdfs:subPropertyOf = dul:isSettingFor -}}OntologyProperty:SoccerTournamentOpeningSeason2024578365482014-07-08T14:19:36Z +| rdfs:label@en = sport country +| rdfs:label@de = Sportnation +| rdfs:comment@en = The country, for which the athlete is participating in championships +| rdfs:comment@de = Das Land, für das der Sportler an Wettkämpfen teilnimmt +| rdfs:domain = Athlete +| rdfs:range = Country +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:SportDiscipline2025136365762014-07-08T14:21:21Z {{ObjectProperty -| rdfs:label@en = opening season -| rdfs:label@tr = açılış sezonu -| rdfs:domain = SoccerTournament -| rdfs:range = SoccerTournament -| rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:SoccerTournamentThisSeason2024580365492014-07-08T14:19:39Z +| rdfs:domain = Person +| rdfs:range = Sport +| labels = + {{label|en|sport discipline}} + {{label|de|Sportdisziplin}} + {{label|fr|discipline sportive}} + {{label|nl|tak van sport}} +| comments = + {{comment|en|the sport discipline the athlete practices, e.g. Diving, or that a board member of a sporting club is focussing at}} +| rdfs:subPropertyOf = dul:isParticipantIn +}}OntologyProperty:SportGoverningBody2022306365772014-07-08T14:21:24Z {{ObjectProperty -| rdfs:label@en = this season -| rdfs:label@tr = bu sezon -| rdfs:domain = SoccerTournament -| rdfs:range = SoccerTournament +| rdfs:label@en = sport governing body | rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:SoccerTournamentTopScorer2024584365502014-07-08T14:19:41Z -{{ObjectProperty -| rdfs:label@en = top scorer -| rdfs:label@de = Torschützenkönig -| rdfs:label@tr = en golcü -| rdfs:domain = SoccerTournament -| rdfs:range = SoccerPlayer -| rdfs:subPropertyOf = dul:hasParticipant -}}OntologyProperty:SolicitorGeneral2026602365512014-07-08T14:19:44Z +}}OntologyProperty:SportSpecialty2025137365782014-07-08T14:21:26Z {{ObjectProperty | labels = - {{label|en|solicitor general}} - {{label|de|Generalstaatsanwalt}} - {{label|nl|advocaat-generaal}} -| comments = - {{comment|en|high-ranking solicitor }} - {{comment|nl|de advocaat-generaal}} -| rdfs:domain = LegalCase -| rdfs:range = Person -| rdf:type = | rdfs:subPropertyOf = personFunction -| owl:equivalentProperty = -| rdfs:subPropertyOf = dul:isSettingFor -}}OntologyProperty:Solubility2028927342642014-04-04T16:42:33Z{{DatatypeProperty -| rdfs:label@en = solubility -| rdfs:label@de = Löslichkeit -| rdfs:label@nl = oplosbaarheid -| rdfs:domain = ChemicalSubstance -| rdfs:range = xsd:integer -}}OntologyProperty:Solvent20212045528012018-02-07T19:13:49Z{{ObjectProperty -| rdfs:label@en = solvent -| rdfs:label@de = Lösungsmittel -| rdfs:domain = ChemicalSubstance -| rdfs:range = ChemicalSubstance -}}OntologyProperty:SolventWithBadSolubility2028930342652014-04-04T16:42:37Z{{ObjectProperty -| rdfs:label@en = solvent with bad solubility -| rdfs:label@de = Lösungsmittel mit schlechter Löslichkeit -| rdfs:label@nl = slecht oplosbaar in -| rdfs:domain = ChemicalSubstance -| rdfs:range = ChemicalSubstance -}}OntologyProperty:SolventWithGoodSolubility2028928342662014-04-04T16:42:41Z{{ObjectProperty -| rdfs:label@en = solvent with good solubility -| rdfs:label@de = Lösungsmittel mit guter Löslichkeit -| rdfs:label@nl = goed oplosbaar in -| rdfs:domain = ChemicalSubstance -| rdfs:range = ChemicalSubstance -}}OntologyProperty:SolventWithMediocreSolubility2028931342672014-04-04T16:42:45Z{{ObjectProperty -| rdfs:label@en = solvent with mediocre solubility -| rdfs:label@de = Lösungsmittel mit mittelmäßiger Löslichkeit -| rdfs:label@nl = matig oplosbaar in -| rdfs:domain = ChemicalSubstance -| rdfs:range = ChemicalSubstance -}}OntologyProperty:Son20212290535862020-01-30T18:19:07Z{{ObjectProperty + {{label|en|sport specialty}} + {{label|nl|sport specialiteit}} +| rdfs:domain = Athlete +| rdfs:range = Sport +| rdfs:comment@en = the sport specialty the athlete practices, e.g. 'Ring' for a men's artistic gymnastics athlete +| rdfs:subPropertyOf = dul:isParticipantIn +}}OntologyProperty:SportsFunction2027888273882013-07-10T15:02:06Z{{DatatypeProperty | labels = - {{label|en|son}} - {{label|nl|zoon}} - {{label|de|Sohn}} - {{label|el|υιός}} - {{label|ja|息子}} - {{label|ar|ابن}} -| rdfs:domain = Man +{{label|en|sports function}} +| rdfs:domain = Person +| rdfs:range = xsd:string +}}OntologyProperty:Spouse2021459535972020-02-17T07:43:22Z{{ObjectProperty +| labels = + {{label|en|spouse}} + {{label|de|Ehepartner}} + {{label|nl|echtgenoot}} + {{label|ja|配偶者}} + {{label|el|σύζυγος}} +| rdfs:domain = Person | rdfs:range = Person -| owl:propertyDisjointWith = parent -}}OntologyProperty:SoundRecording20211030453562015-02-16T09:14:28Z{{ObjectProperty +| owl:equivalentProperty = schema:spouse, wikidata:P26 +| owl:propertyDisjointWith = child +| rdfs:comment@en = the person they are married to +| comments = + {{comment|el|Το άτομο με το οποίο κάποιος είναι παντρεμένος}} +| rdfs:subPropertyOf = dul:sameSettingAs +}}OntologyProperty:SpouseName2027704343212014-04-08T13:37:25Z{{DatatypeProperty | labels = - {{label|en|sound recording}} -| rdfs:range = Sound -| rdfs:comment@en = Sound recording somehow related to the subject -}}OntologyProperty:Source2021704537082020-09-04T15:38:08Z -{{ObjectProperty -| rdfs:label@en = source -| rdfs:label@de = Quelle -| rdfs:label@el = πηγή -| rdfs:subPropertyOf = dul:hasCommonBoundary -| owl:equivalentProperty = ceo:bronidentificatie -}}OntologyProperty:SourceConfluence2021437365532014-07-08T14:19:51Z +{{label|en|spouse name}} +{{label|de|Name des Ehepartners}} +{{label|el|όνομα συζύγου}} +| rdfs:domain = Person +| rdfs:range = xsd:string +}}OntologyProperty:SpurOf2022762365802014-07-08T14:21:33Z {{ObjectProperty -| rdfs:label@en = source confluence -| rdfs:label@es = lugar de nacimiento -| rdfs:label@el = πηγές -| rdfs:domain = River +| rdfs:label@en = spur of +| rdfs:domain = Road +| rdfs:range = Road | rdfs:subPropertyOf = dul:hasCommonBoundary -}}OntologyProperty:SourceConfluenceCountry2021438365542014-07-08T14:19:54Z -{{ObjectProperty -| rdfs:label@en = source confluence country -| rdfs:domain = River -| rdfs:range = Country -| rdfs:subPropertyOf = dul:hasLocation -}}OntologyProperty:SourceConfluenceElevation202143982762010-05-28T13:42:27Z{{DatatypeProperty -| rdfs:label@en = source confluence elevation -| rdfs:range = Length -}}OntologyProperty:SourceConfluenceMountain2021440365552014-07-08T14:19:57Z +}}OntologyProperty:SpurType2021460365812014-07-08T14:21:36Z {{ObjectProperty -| rdfs:label@en = source confluence mountain -| rdfs:domain = River -| rdfs:range = Mountain -| rdfs:subPropertyOf = dul:nearTo -}}OntologyProperty:SourceConfluencePlace2021441365562014-07-08T14:20:00Z +| rdfs:label@en = spur type +| rdfs:domain = Road +| rdfs:subPropertyOf = dul:isClassifiedBy +}}OntologyProperty:SquadNumber2025023165912012-01-14T19:16:55Z{{DatatypeProperty +| rdfs:label@en = squad number +| rdfs:domain = SportsTeamMember +| rdfs:range = xsd:nonNegativeInteger +| rdfs:comment@en = The number that an athlete wears in a team sport. +}}OntologyProperty:Stadium2026091365822014-07-08T14:21:39Z {{ObjectProperty -| rdfs:label@en = source confluence place -| rdfs:domain = River -| rdfs:range = Place -| rdfs:subPropertyOf = dul:hasLocation -}}OntologyProperty:SourceConfluencePosition2021442365572014-07-08T14:20:03Z +| labels = + {{label|en|Stadium}} + {{label|de|Stadion}} + {{label|el|στάδιο}} +| rdfs:range = Stadium +| rdfs:subPropertyOf = dul:sameSettingAs +}}OntologyProperty:Staff2021461525892017-10-31T08:56:00Z{{DatatypeProperty +| rdfs:label@en = staff +| rdfs:label@de = Personal +| rdfs:label@el = προσωπικό +| rdfs:domain = Organisation +| rdfs:range = xsd:nonNegativeInteger +}}OntologyProperty:StarRating2022510100132010-10-25T09:40:59Z{{DatatypeProperty +| rdfs:label@en = star rating +| rdfs:domain = Hotel +| rdfs:range = xsd:float +}}OntologyProperty:Starring2021463536862020-09-02T18:35:05Z {{ObjectProperty -| rdfs:label@en = source confluence position -| rdfs:domain = River -| rdfs:range = geo:SpatialThing -| rdfs:subPropertyOf = dul:hasLocation -}}OntologyProperty:SourceConfluenceRegion2021443365582014-07-08T14:20:06Z +| labels = + {{label|en|starring}} + {{label|da|skuespillere}} + {{label|nl|met in de hoofdrol}} + {{label|el|ηθοποιοί}} + {{label|fr|acteur}} +| rdfs:domain = Work +| rdfs:range = Actor +| owl:equivalentProperty = schema:actor,schema:actors, wikidata:P161 +| rdfs:subPropertyOf = dul:sameSettingAs +}}OntologyProperty:Start2027890524552017-10-15T19:27:09Z{{DatatypeProperty +| labels = +{{label|en|start}} +{{label|de|Start}} +| rdfs:range = xsd:date +| rdfs:domain = TimePeriod +}}OntologyProperty:StartCareer2027552267642013-07-01T14:39:14Z{{DatatypeProperty +| labels = +{{label|en|start career}} +| rdfs:domain = Person +| rdfs:range = xsd:string +}}OntologyProperty:StartDate2021464537092020-09-04T15:39:35Z{{DatatypeProperty +| labels = + {{label|en|start date}} +{{label|de|Startdatum}} + {{label|nl|startdatum}} + {{label|fr|date de début}} + {{label|es|fecha de inicio}} +| rdfs:domain = Event +| rdfs:range = xsd:date +| owl:equivalentProperty = schema:startDate, wikidata:P580, ceo:startdatum +| rdfs:comment@en = The start date of the event. +}}OntologyProperty:StartDateTime20210293387982014-12-02T10:49:29Z{{DatatypeProperty +| labels = + {{label|en|start date and time}} + {{label|nl|datum en tijd van begin}} +| rdfs:domain = Event +| rdfs:range = xsd:dateTime +| rdfs:comment@en = The start date and time of the event. +}}OntologyProperty:StartOccupation2027791273752013-07-10T14:37:30Z{{DatatypeProperty +| labels = +{{label|en|start occupation}} +| rdfs:range = xsd:string +}}OntologyProperty:StartPoint2021465568312022-03-01T00:37:18Z {{ObjectProperty -| rdfs:label@en = source confluence region -| rdfs:domain = River +| labels = + {{label|en|start point}} + {{label|fr|point de départ}} + {{label|de|Startpunkt}} + {{label|el|σημείο_αρχής}} +| rdfs:domain = Place | rdfs:range = Place -| rdfs:subPropertyOf = dul:hasLocation -}}OntologyProperty:SourceConfluenceState2021444365592014-07-08T14:20:09Z +| rdfs:subPropertyOf = dul:hasCommonBoundary +}}OntologyProperty:StartReign2027549271702013-07-09T09:21:56Z{{ObjectProperty +| labels = +{{label|en|start reign}} +| rdfs:domain = Person +| rdfs:range = skos:Concept +}}OntologyProperty:StartWct2027834271502013-07-05T15:57:17Z{{DatatypeProperty +| labels = +{{label|en|start xct}} +| rdfs:domain = Person +| rdfs:range = xsd:string +}}OntologyProperty:StartWqs2027833271492013-07-05T15:57:06Z{{DatatypeProperty +| labels = +{{label|en|start wqs}} +| rdfs:domain = Person +| rdfs:range = xsd:string +}}OntologyProperty:StartYear2027172343282014-04-08T13:37:51Z{{DatatypeProperty +| labels = +{{label|en|start year}} +{{label|de|Startjahr}} +| rdfs:range = xsd:gYear +}}OntologyProperty:StartYearOfInsertion202146682842010-05-28T13:43:38Z{{DatatypeProperty +| rdfs:label@en = start year of insertion +| rdfs:domain = AutomobileEngine +| rdfs:range = xsd:gYear +}}OntologyProperty:StartYearOfSales202146782852010-05-28T13:43:47Z{{DatatypeProperty +| rdfs:label@en = start year of sales +| rdfs:domain = Sales +| rdfs:range = xsd:gYear +}}OntologyProperty:StatName2027655269122013-07-03T12:17:17Z{{DatatypeProperty +| labels = +{{label|en|stat name}} +| rdfs:domain = owl:Thing +| rdfs:range = xsd:string +}}OntologyProperty:StatValue2027656269152013-07-03T12:20:30Z{{DatatypeProperty +| labels = +{{label|en|stat value}} +| rdfs:domain = owl:Thing +| rdfs:range = xsd:double +}}OntologyProperty:State2021468365852014-07-08T14:21:49Z {{ObjectProperty -| rdfs:label@en = source confluence state -| rdfs:domain = River +| labels = + {{label|en|state}} + {{label|de|Staat}} + {{label|nl|staat}} + {{label|el|νομός}} + {{label|pl|stan}} +| rdfs:domain = owl:Thing | rdfs:range = PopulatedPlace | rdfs:subPropertyOf = dul:hasLocation -}}OntologyProperty:SourceCountry2021445529302018-02-28T09:04:07Z -{{ObjectProperty -| rdfs:label@en = source country -| rdfs:domain = Stream -| rdfs:range = Country -| owl:equivalentProperty = dul:hasLocation -}}OntologyProperty:SourceDistrict2021446365612014-07-08T14:20:15Z +}}OntologyProperty:StateDelegate2022364365862014-07-08T14:21:52Z {{ObjectProperty -| rdfs:label@en = source district -| rdfs:range = PopulatedPlace -| rdfs:subPropertyOf = dul:hasLocation -}}OntologyProperty:SourceElevation202144782772010-05-28T13:42:36Z{{DatatypeProperty -| rdfs:label@en = source elevation -| rdfs:range = Length -}}OntologyProperty:SourceMountain2021448365622014-07-08T14:20:18Z +| rdfs:label@en = state delegate +| rdfs:range = Person +| rdfs:subPropertyOf = dul:sameSettingAs +}}OntologyProperty:StateOfOrigin2021469365872014-07-08T14:21:55Z {{ObjectProperty -| rdfs:label@en = source mountain -| rdfs:range = Mountain +| rdfs:label@en = state of origin +| rdfs:domain = Person +| rdfs:range = Country | rdfs:subPropertyOf = dul:hasLocation -}}OntologyProperty:SourcePlace2021449365632014-07-08T14:20:21Z +}}OntologyProperty:StateOfOriginPoint2027895274082013-07-10T15:51:50Z{{DatatypeProperty +| labels = +{{label|en|state of origin point}} +| rdfs:range = xsd:nonNegativeInteger +| rdfs:domain = Athlete +}}OntologyProperty:StateOfOriginTeam2027894274072013-07-10T15:50:48Z{{ObjectProperty +| labels = +{{label|en|state of origin team}} +| rdfs:domain = Athlete +| rdfs:range = SportsTeam +}}OntologyProperty:StateOfOriginYear2027893274062013-07-10T15:49:57Z{{DatatypeProperty +| labels = +{{label|en|state of origin year}} +| rdfs:range = xsd:string +| rdfs:domain = Athlete +}}OntologyProperty:StationEvaDuration202147282862010-05-28T13:43:55Z{{DatatypeProperty +| rdfs:label@en = station EVA duration +| rdfs:domain = SpaceMission +| rdfs:range = Time +}}OntologyProperty:StationStructure2023229222662013-01-11T00:16:45Z{{DatatypeProperty +| labels = +{{label|en|station structure}} +{{label|nl|station structuur}} +| rdfs:domain = Station +| rdfs:range = xsd:string +| rdfs:comment@en = Type of station structure (underground, at-grade, or elevated). +}}OntologyProperty:StationVisitDuration202147382872010-05-28T13:44:01Z{{DatatypeProperty +| rdfs:label@en = station visit duration +| rdfs:domain = SpaceMission +| rdfs:range = Time +}}OntologyProperty:Statistic2027870343302014-04-08T13:38:00Z{{ObjectProperty +| labels = +{{label|en|statistic}} +{{label|de|statistisch}} +| rdfs:domain = Statistic +}}OntologyProperty:StatisticLabel202147489072010-05-28T16:30:01Z{{ObjectProperty +| rdfs:label@en = statistic label +| rdfs:domain = BaseballPlayer +}}OntologyProperty:StatisticValue2021475343312014-04-08T13:38:04Z{{DatatypeProperty +| rdfs:label@en = statistic value +| rdfs:label@de = Statistikwert +| rdfs:domain = BaseballPlayer +| rdfs:range = xsd:float +}}OntologyProperty:StatisticYear202147682892010-05-28T13:44:16Z{{DatatypeProperty +| rdfs:label@en = statistic year +| rdfs:domain = BaseballPlayer +| rdfs:range = xsd:date +}}OntologyProperty:Status2021477537822020-10-21T08:20:35Z{{DatatypeProperty +| labels = +{{label|en|status}} +{{label|de|Status}} +{{label|nl|status}} +{{label|fr|statut}} +{{label|es|estatus}} +| rdfs:range = xsd:string +}}OntologyProperty:StatusManager2027800271022013-07-05T13:20:53Z{{DatatypeProperty +| labels = +{{label|en|status manager}} +| rdfs:domain = Person +| rdfs:range = xsd:string +}}OntologyProperty:StatusYear2027299486122015-08-06T12:17:59Z{{DatatypeProperty +| labels = +{{label|en|status year}} +| rdfs:domain = Place +| rdfs:range = xsd:string +}}OntologyProperty:StellarClassification20211154465382015-03-19T08:45:39Z{{ObjectProperty +| labels = +{{label|en|stellar classification}} +{{label|nl|spectraalklasse}} +| rdfs:domain = CelestialBody +| rdfs:range = skos:OrderedCollection +}}OntologyProperty:StockExchange2029373347442014-05-09T09:24:43Z{{DatatypeProperty +| labels = +{{label|en|Registered at Stock Exchange}} +{{label|nl|beurs waaraan genoteerd}} +| rdfs:domain = Company +| rdfs:range = xsd:string +}}OntologyProperty:StoryEditor2021478365882014-07-08T14:21:58Z {{ObjectProperty -| rdfs:label@en = source place -| rdfs:range = PopulatedPlace -| rdfs:subPropertyOf = dul:hasLocation -}}OntologyProperty:SourcePosition2021450365642014-07-08T14:20:25Z +| rdfs:label@en = story editor +| rdfs:domain = TelevisionShow +| rdfs:range = Person +| rdfs:subPropertyOf = dul:sameSettingAs +}}OntologyProperty:Strength2021479343332014-04-08T13:38:13Z{{DatatypeProperty +| rdfs:label@en = strength +| rdfs:label@de = Stärke +| rdfs:label@el = δύναμη +| rdfs:domain = MilitaryConflict +| rdfs:range = xsd:string +}}OntologyProperty:StructuralSystem2021480365892014-07-08T14:22:02Z {{ObjectProperty -| rdfs:label@en = source position -| rdfs:range = geo:SpatialThing -| rdfs:subPropertyOf = dul:hasLocation -}}OntologyProperty:SourceRegion2021451365652014-07-08T14:20:28Z +| labels = + {{label|en|structural system}} + {{label|de|Tragsystem}} + {{label|nl|bouwmethode}} + {{label|el|κατασκευαστικό σύστημα}} +| rdfs:domain = Building +| rdfs:subPropertyOf = dul:hasConstituent +}}OntologyProperty:Student2027541520012017-03-22T16:51:09Z {{ObjectProperty -| rdfs:label@en = source region -| rdfs:range = PopulatedPlace -| rdfs:subPropertyOf = dul:hasLocation -}}OntologyProperty:SourceState2021452365662014-07-08T14:20:32Z +| labels = + {{label|en|student}} +| rdfs:domain = Person +| rdfs:range = Person +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:Style2024780273652013-07-10T14:10:08Z{{ObjectProperty +| rdfs:label@en = style +| rdfs:label@de = stil +| rdfs:label@it = stile +| rdfs:label@es = estilo +| rdfs:domain = Artist +}}OntologyProperty:StylisticOrigin2021483365912014-07-08T14:22:08Z {{ObjectProperty -| rdfs:label@en = source state -| rdfs:range = PopulatedPlace -| rdfs:subPropertyOf = dul:hasLocation -}}OntologyProperty:SourceText20210419394232015-01-19T17:02:05Z{{DatatypeProperty -| labels= -{{label|en|sourceText}} -| comments= -{{comment|en|Source of something (eg an image) as text. Use dct:source if the source is described using a resource}} -| rdfs:domain = owl:Thing -| rdfs:range = rdf:langString -}}OntologyProperty:SouthEastPlace20211088455962015-03-08T14:10:40Z{{ObjectProperty -| rdfs:label@en = south-east place -| rdfs:label@fr = lieu au sud-est -| rdfs:comment@fr = indique un autre lieu situé au sud-est. -| rdfs:comment@en = indicates another place situated south-east. -| rdfs:domain = Place -| rdfs:range = Place -| owl:inverseOf = northWestPlace -| rdfs:subPropertyOf = closeTo - -}}OntologyProperty:SouthPlace20211083455942015-03-08T14:08:55Z{{ObjectProperty -| rdfs:label@en = south place -| rdfs:label@fr = lieu au sud -| rdfs:comment@fr = indique un autre lieu situé au sud. -| rdfs:comment@en = indicates another place situated south. +| rdfs:label@en = stylistic origin +| rdfs:label@de = stilistische Herkunft +| rdfs:label@pt = origens estilísticas +| rdfs:domain = MusicGenre +| rdfs:range = MusicGenre +| rdfs:subPropertyOf = dul:sameSettingAs +}}OntologyProperty:SubClassis2029312327562014-03-17T13:49:28Z{{ObjectProperty +| labels = +{{label|en|sub-classis}} +{{label|nl|onderklasse}} +| rdfs:domain = Species +| rdfs:range = owl:Thing +| rdfs:subPropertyOf = classis +|comments = +{{comment|en|a subdivision within a Species classis}} +}}OntologyProperty:SubFamily2029328343362014-04-08T13:38:25Z{{ObjectProperty +| labels = +{{label|en|sub-family}} +{{label|de|Unterfamilie}} +{{label|nl|onderfamilie}} +| rdfs:domain = Species +| rdfs:range = Taxon +}}OntologyProperty:SubGenus20210211378872014-09-24T11:18:42Z{{ObjectProperty +| labels = + {{label|en|subgenus}} + {{label|de|Untergattung}} + {{label|nl|ondergeslacht}} +| comments = + {{comment|en|A rank in the classification of organisms, below genus ; a taxon at that rank}} +| rdfs:domain = Species +| rdfs:subPropertyOf = dul:specializes +}}OntologyProperty:SubMunicipalityType2026573343372014-04-08T13:38:38Z{{DatatypeProperty +| labels = +{{label|en|type of municipality}} +{{label|de|Art der Gemeinde}} +{{label|nl|type gemeente}} +| rdfs:domain = SubMunicipality +| rdfs:range = xsd:string +}}OntologyProperty:SubOrder20210212568202022-02-28T22:58:42Z{{ObjectProperty +| labels = +{{label|en|sub-order}} +{{label|fr|sous-ordre}} +{{label|nl|onderorde}} +| rdfs:domain = Species +}}OntologyProperty:SubPrefecture2027131256642013-05-26T15:24:48Z{{DatatypeProperty +| labels = +{{label|en|subprefecture}} | rdfs:domain = Place -| rdfs:range = Place -| owl:inverseOf = northPlace -| rdfs:subPropertyOf = closeTo -}}OntologyProperty:SouthWestPlace20211090455952015-03-08T14:09:48Z{{ObjectProperty -| rdfs:label@en = south-west place -| rdfs:label@fr = lieu au sud-ouest -| rdfs:comment@fr = indique un autre lieu situé au sud-ouest. -| rdfs:comment@en = indicates another place situated south-west. +| rdfs:range = xsd:string +}}OntologyProperty:SubTribus2029310327532014-03-17T10:24:57Z{{ObjectProperty +| labels = +{{label|en|subtribus}} +{{label|nl|onderstam}} +| comments = +| rdfs:domain = Species +| rdfs:range = Species +| rdfs:subPropertyOf = Tribus +}}OntologyProperty:Subdivision2027058522922017-10-08T19:18:00Z{{ObjectProperty +| labels = +{{label|en|subdivision}} +| rdfs:domain = owl:Thing +| rdfs:range = owl:Thing +}}OntologyProperty:SubdivisionLink2027056256382013-05-26T14:16:18Z{{DatatypeProperty +| labels = +{{label|en|subdivision link}} | rdfs:domain = Place +| rdfs:range = xsd:string +}}OntologyProperty:SubdivisionName2027057365922014-07-08T14:22:11Z +{{ObjectProperty +| labels = + {{label|en|subdivision name of the island}} +| rdfs:domain = Island | rdfs:range = Place -| owl:inverseOf = northEastPlace -| rdfs:subPropertyOf = closeTo - -}}OntologyProperty:SovereignCountry2027054365672014-07-08T14:20:35Z +| rdfs:subPropertyOf = dul:hasPart +}}OntologyProperty:Subdivisions2021687568042022-02-28T21:59:58Z{{DatatypeProperty +| labels = + {{label|en|subdivisions}} + {{label|fr|sous-divisions}} +| rdfs:domain = owl:Thing +| rdfs:range = xsd:nonNegativeInteger +}}OntologyProperty:SubjectOfPlay2023829133612011-06-06T11:37:02Z{{DatatypeProperty +| rdfs:label@en = subject of play +| rdfs:domain = Play +| rdfs:range = xsd:string +| rdfs:comment@en = The overall subject matter dealt with by the play. +}}OntologyProperty:SubjectTerm2029127316122014-02-10T13:59:07Z{{ DatatypeProperty +| labels = +{{label|en|subject term}} +{{label|nl|onderwerpsaanduiding}} +| rdfs:comment@en = The subject as a term, possibly a term from a formal classification +| rdfs:domain = Work +| rdfs:range = xsd:string +}}OntologyProperty:SublimationPoint202250392352010-07-21T11:01:32Z{{DatatypeProperty +| rdfs:label@en = sublimation point +| rdfs:range = Temperature +}}OntologyProperty:SuborbitalFlights2021485104262010-11-10T14:51:17Z{{DatatypeProperty +| rdfs:label@en = suborbital flights +| rdfs:domain = YearInSpaceflight +| rdfs:range = xsd:nonNegativeInteger +}}OntologyProperty:Subprefecture2027017365932014-07-08T14:22:16Z {{ObjectProperty | labels = - {{label|en|sovereign country}} - {{label|de|souveräner Staat}} -| rdfs:domain = Place + {{label|en|subprefecture}} +| rdfs:domain = Department | rdfs:range = PopulatedPlace -| rdfs:subPropertyOf = dul:isPartOf -}}OntologyProperty:Space2026427234692013-01-22T13:09:07Z{{DatatypeProperty +| rdfs:subPropertyOf = dul:hasPart +}}OntologyProperty:Subregion2021486365942014-07-08T14:22:20Z +{{ObjectProperty +| rdfs:label@en = subregion +| rdfs:domain = Place +| rdfs:range = Place +| rdfs:subPropertyOf = dul:hasPart +}}OntologyProperty:SubsequentInfrastructure2021487365952014-07-08T14:22:37Z +{{ObjectProperty | labels = -{{label|en|space}} -{{label|de|Raum}} -| rdfs:domain = Building -| rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:Spacecraft2021453365682014-07-08T14:20:38Z + {{label|en|subsequent infrastructure}} + {{label|de|spätere Infrastruktur}} + {{label|nl|volgende infrastructuur}} +| rdfs:domain = Infrastructure +| rdfs:range = Infrastructure +| rdfs:subPropertyOf = dul:sameSettingAs +}}OntologyProperty:SubsequentWork2021488570482022-03-09T16:01:31Z {{ObjectProperty -| rdfs:label@en = spacecraft -| rdfs:label@de = Raumfahrzeug -| rdfs:label@el = διαστημόπλοιο -| rdfs:label@fr = véhicule spatial -| rdfs:domain = SpaceMission -| rdfs:range = Spacecraft -| rdfs:subPropertyOf = dul:hasParticipant -}}OntologyProperty:Spacestation20210461397242015-01-27T16:48:28Z{{ObjectProperty | labels = - {{label|en|spacestation}} - {{label|de|raumstation}} + {{label|en|subsequent work}} + {{label|fr|oeuvre suivante}} + {{label|de|nachfolgende Arbeiten}} + {{label|nl|vervolg werk}} + {{label|el|επόμενη δημιουργία}} +| rdfs:domain = Work +| rdfs:range = Work +| rdfs:subPropertyOf = dul:sameSettingAs +}}OntologyProperty:SubsequentWorkDate20213811570572022-03-09T17:13:00Z{{ObjectProperty +| labels = + {{label|en|subsequent work date}} + {{label|fr|année de sortie oeuvre suivante}} +| rdfs:domain = Work +| rdfs:range = year | comments = - {{comment|en|space station that has been visited during a space mission}} - {{comment|de|Raumstation, die während einer Raummission besucht wurde}} -| rdfs:domain = SpaceMission -| rdfs:range = SpaceStation -}}OntologyProperty:SpacewalkBegin2021454343082014-04-08T13:36:12Z{{DatatypeProperty -| rdfs:label@en = spacewalk begin -| rdfs:label@de = Beginn Weltraumspaziergang -| rdfs:domain = SpaceMission -| rdfs:range = xsd:date -}}OntologyProperty:SpacewalkEnd2021455343092014-04-08T13:36:15Z{{DatatypeProperty -| rdfs:label@en = spacewalk end -| rdfs:label@de = Ende Weltraumspaziergang -| rdfs:domain = SpaceMission -| rdfs:range = xsd:date -}}OntologyProperty:Speaker2022358344602014-04-08T14:49:29Z{{DatatypeProperty -| rdfs:label@en = speaker -| rdfs:comment@en = number of office holder -| rdfs:range = xsd:integer -}}OntologyProperty:SpecialEffects2025147365692014-07-08T14:20:41Z + {{comment|en|Year when subsequent work is released}} + {{comment|fr|Année de sortie de l'oeuvre suivante}} +}}OntologyProperty:Subsidiary2021489365972014-07-08T14:22:43Z {{ObjectProperty -| rdfs:domain = Film -| rdfs:range = Person -| rdfs:label@en = special effects -| rdfs:label@de = Spezialeffekte -| rdfs:comment@en = the person who is responsible for the film special effects -| rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:SpecialTrial2027889273942013-07-10T15:23:18Z{{DatatypeProperty | labels = -{{label|en|special trial}} -| rdfs:range = xsd:nonNegativeInteger -| rdfs:domain = Person -}}OntologyProperty:Specialist2021456522962017-10-08T19:37:56Z{{ObjectProperty -| rdfs:label@en = specialist -| rdfs:label@de = Spezialist -| rdfs:domain = owl:Thing -| rdfs:range = PersonFunction -}}OntologyProperty:Speciality2027700343132014-04-08T13:36:34Z{{DatatypeProperty + {{label|en|subsidiary}} + {{label|pt|treinador}} + {{label|fr|filiale}} +| rdfs:domain = Company +| rdfs:range = Company +| rdfs:subPropertyOf = dul:sameSettingAs +}}OntologyProperty:Subsystem2027144343402014-04-08T13:38:48Z{{DatatypeProperty | labels = -{{label|en|speciality}} -{{label|de|Spezialität}} -| rdfs:domain = Person +{{label|en|subsystem}} +{{label|de|Teilsystem}} +| rdfs:domain = Place | rdfs:range = xsd:string -}}OntologyProperty:Specialization20211904522902017-10-08T19:15:30Z{{ObjectProperty +}}OntologyProperty:SubsystemLink2027143256822013-05-26T16:08:22Z{{DatatypeProperty | labels = - {{label|en|specialization}} - {{label|de|Spezialisierung}} +{{label|en|subsystem link}} +| rdfs:domain = Place +| rdfs:range = xsd:string +}}OntologyProperty:Subtitle2022299221762013-01-10T20:57:19Z{{DatatypeProperty +| labels = +{{label|en|subtitle}} +{{label|de|Untertitel}} +{{label|el|υπότιτλος}} +{{label|nl|onderschrift}} +{{label|pt|legenda}} +| rdfs:range = xsd:string +}}OntologyProperty:SuccessfulLaunches2021490343412014-04-08T13:38:51Z{{DatatypeProperty +| rdfs:label@en = successful launches +| rdfs:label@de = erfolgreiche Starts +| rdfs:range = xsd:nonNegativeInteger +}}OntologyProperty:Successor2021491365982014-07-08T14:22:46Z +{{ObjectProperty +| labels = + {{label|en|successor}} + {{label|nl|opvolger}} + {{label|de|Nachfolger}} + {{label|ja|後任者}} +| rdfs:subPropertyOf = dul:sameSettingAs +}}OntologyProperty:SudocId20211043528872018-02-13T11:00:45Z{{DatatypeProperty +| labels = +{{label|en|SUDOC id}} | comments = - {{comment|en|Points out the subject or thing someone or something is specialized in (for).}} - {{comment|de|Verweist of den Gegenstand (auch fig.) auf welchen jemand oder etwas spezialisiert ist.}} +{{comment|en|Système universitaire de documentation id (French collaborative library catalog). +http://www.idref.fr/$1}} | rdfs:domain = owl:Thing -| rdfs:range = owl:Thing -}}OntologyProperty:Species2021457520162017-04-07T09:29:00Z{{ObjectProperty +| rdfs:range = xsd:string +| owl:equivalentProperty = wikidata:P269 +| rdfs:subPropertyOf = code +}}OntologyProperty:SummerAppearances2021492365992014-07-08T14:22:49Z +{{ObjectProperty +| rdfs:label@en = summer appearances +| rdfs:domain = OlympicResult +| rdfs:range = OlympicResult +| rdfs:subPropertyOf = dul:sameSettingAs +}}OntologyProperty:SummerTemperature202149382942010-05-28T13:44:53Z{{DatatypeProperty +| rdfs:label@en = summer temperature +| rdfs:domain = Settlement +| rdfs:range = Temperature +}}OntologyProperty:SuperFamily2029329328982014-03-23T20:22:12Z{{ObjectProperty | labels = - {{label|en|species}} - {{label|de|Spezies}} - {{label|nl|soort}} - {{label|ja|種_(分類学) }} - {{label|fr|espèce}} +{{label|en|super-family}} +{{label|nl|superfamilie}} +| rdfs:domain = Species +| rdfs:range = Taxon +}}OntologyProperty:SuperOrder20210213378982014-09-24T11:53:55Z{{ObjectProperty +| labels = +{{label|en|super-order}} +{{label|nl|bovenorde}} +| rdfs:domain = Species +}}OntologyProperty:SuperTribus2029311327542014-03-17T10:25:37Z{{ObjectProperty +| labels = +{{label|en|supertribus}} +{{label|nl|bovenstam}} +| comments = | rdfs:domain = Species | rdfs:range = Species -| rdfs:subPropertyOf = dul:specializes -}}OntologyProperty:SpeedLimit2023427124272011-04-26T13:14:35Z{{DatatypeProperty -| rdfs:label@en = speed limit -| rdfs:label@de = Tempolimit -| rdfs:domain= RouteOfTransportation -| rdfs:range = Speed -}}OntologyProperty:Spike2024438344592014-04-08T14:48:09Z{{DatatypeProperty -| rdfs:label@en = spike -| rdfs:label@de = schmettern -| rdfs:label@el = καρφί -| rdfs:label@tr = smaç -| rdfs:domain = VolleyballPlayer +| rdfs:subPropertyOf = Tribus +}}OntologyProperty:SuperbowlWin2027686269582013-07-04T09:29:06Z{{DatatypeProperty +| labels = +{{label|en|superbowl win}} +| rdfs:domain = Athlete +| rdfs:range = xsd:string +}}OntologyProperty:Superintendent2021494366002014-07-08T14:22:52Z +{{ObjectProperty +| labels = + {{label|en|superintendent}} + {{label|de|Leiter}} + {{label|nl|opzichter}} +| rdfs:domain = Organisation +| rdfs:range = Person +| rdfs:subPropertyOf = dul:sameSettingAs +}}OntologyProperty:SupplementalDraftRound2021495174762012-04-27T22:09:22Z{{DatatypeProperty +| rdfs:label@en = supplemental draft round +| rdfs:domain = Athlete +| rdfs:range = xsd:string +}}OntologyProperty:SupplementalDraftYear202149682962010-05-28T13:45:10Z{{DatatypeProperty +| rdfs:label@en = supplemental draft year +| rdfs:domain = GridironFootballPlayer +| rdfs:range = xsd:gYear +}}OntologyProperty:Supplies2021497366012014-07-08T14:22:56Z +{{ObjectProperty +| rdfs:label@en = supplies +| rdfs:label@el = παροχές +| rdfs:domain = Artery +| rdfs:range = AnatomicalStructure +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:Supply2027097344512014-04-08T14:38:21Z{{ObjectProperty +| labels = +{{label|en|supply}} +| rdfs:domain = Place +| rdfs:range = Place +}}OntologyProperty:SuppreddedDate2021498433312015-02-06T14:56:37Z{{DatatypeProperty +| labels = +{{label|en|suppredded date}} +{{label|nl|oppressie datum}} +{{label|bg|дата на забраната}} +| rdfs:domain = Saint +| rdfs:range = xsd:date +|rdfs:comment@en=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) +}}OntologyProperty:SurfaceArea2021499537882020-10-23T09:44:25Z{{DatatypeProperty +| rdfs:label@en = surface area +| rdfs:label@de = Oberfläche +| rdfs:label@el = έκταση +| rdfs:domain = Planet +| rdfs:range = Area +}}OntologyProperty:SurfaceFormOccurrenceOffset202244591382010-06-23T15:03:54Z{{DatatypeProperty +| rdfs:label@en = position in which a surface occurs in a text | rdfs:range = xsd:string -}}OntologyProperty:SplitFromParty2023724365712014-07-08T14:20:48Z -{{ObjectProperty -| rdfs:label@en = split from party -| rdfs:label@de = Abspaltung von Partei -| rdfs:domain = PoliticalParty -| rdfs:range = PoliticalParty -| rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:SpokenIn2021470365722014-07-08T14:20:52Z -{{ObjectProperty +}}OntologyProperty:SurfaceGravity2024360236632013-02-07T07:17:00Z{{DatatypeProperty + |rdfs:label@en=surface gravity + |rdfs:domain=Planet + |rdfs:range=Mass +}}OntologyProperty:SurfaceType20211781518372017-01-13T22:57:56Z{{DatatypeProperty | labels = - {{label|en|spoken in}} - {{label|de|gesprochen in}} - {{label|nl|gesproken in}} -| rdfs:domain = Language -| rdfs:range = PopulatedPlace -| rdfs:subPropertyOf = dul:hasLocation -}}OntologyProperty:Spokesperson2023347365732014-07-08T14:20:56Z -{{ObjectProperty -| rdfs:label@en = spokesperson -| rdfs:label@de = Sprecher -| rdfs:label@pt = porta-voz -| rdfs:domain = PoliticalParty -| rdfs:range = Person -| rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:Sport2021458365742014-07-08T14:21:00Z -{{ObjectProperty + {{label|en|type of surface}} + {{label|fr|type de surface}} + {{label|es|tipo de surperficie}} + {{label|cs|typ povrchu}} +| rdfs:range = xsd:string +}}OntologyProperty:SuspectedCases20212298536092020-04-10T06:20:32Z{{DatatypeProperty | labels = - {{label|en|sport}} - {{label|de|Sport}} - {{label|el|άθλημα}} - {{label|fr|sport}} -| rdfs:range = Sport -| rdfs:subPropertyOf = dul:isParticipantIn -}}OntologyProperty:SportCountry2023534365752014-07-08T14:21:05Z -{{ObjectProperty -| rdfs:label@en = sport country -| rdfs:label@de = Sportnation -| rdfs:comment@en = The country, for which the athlete is participating in championships -| rdfs:comment@de = Das Land, für das der Sportler an Wettkämpfen teilnimmt -| rdfs:domain = Athlete -| rdfs:range = Country -| rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:SportDiscipline2025136365762014-07-08T14:21:21Z -{{ObjectProperty -| rdfs:domain = Person -| rdfs:range = Sport +{{label|en|Suspected Cases}} +| rdfs:comment@en = Number of suspected cases in a pandemic +| rdfs:domain = Outbreak +| rdfs:range = xsd:integer +}}OntologyProperty:SwimmingStyle2029268343462014-04-08T13:39:13Z{{DatatypeProperty +| rdfs:label@en = Swimming style +| rdfs:label@de = Schwimmstil +| rdfs:label@nl = Zwemslag +| rdfs:domain = Swimmer +| rdfs:range = xsd:string +}}OntologyProperty:Symbol2021500572792022-03-28T22:13:27Z{{DatatypeProperty | labels = - {{label|en|sport discipline}} - {{label|de|Sportdisziplin}} - {{label|fr|discipline sportive}} - {{label|nl|tak van sport}} -| comments = - {{comment|en|the sport discipline the athlete practices, e.g. Diving, or that a board member of a sporting club is focussing at}} -| rdfs:subPropertyOf = dul:isParticipantIn -}}OntologyProperty:SportGoverningBody2022306365772014-07-08T14:21:24Z -{{ObjectProperty -| rdfs:label@en = sport governing body -| rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:SportSpecialty2025137365782014-07-08T14:21:26Z + {{label|en|Symbol}} + {{label|fr|symbole}} + {{label|nl|symbool}} + {{label|de|Symbol}} +| rdfs:comment@en = HUGO Gene Symbol +| rdfs:domain = Biomolecule +| rdfs:range = xsd:string +}}OntologyProperty:Symptom20211880522172017-10-07T22:21:07Z{{ObjectProperty +| labels = +{{label|de |Symptome}} +{{label|en|symptoms}} +{{label|el|σύμπτωμα}} +{{label|fr |symptômes}} +| rdfs:domain = Disease +| rdfs:range = owl:Thing +}}OntologyProperty:Synonym2021247572782022-03-28T22:11:13Z{{DatatypeProperty +| labels = + {{label|en|synonym}} + {{label|fr|synonyme}} + {{label|de|Synonym}} + {{label|el|συνώνυμο}} + {{label|ja|シノニム}} +| rdfs:range = xsd:string +| owl:equivalentProperty=wikidata:P5973 +}}OntologyProperty:SystemOfLaw2026604366022014-07-08T14:22:59Z {{ObjectProperty | labels = - {{label|en|sport specialty}} - {{label|nl|sport specialiteit}} -| rdfs:domain = Athlete -| rdfs:range = Sport -| rdfs:comment@en = the sport specialty the athlete practices, e.g. 'Ring' for a men's artistic gymnastics athlete -| rdfs:subPropertyOf = dul:isParticipantIn -}}OntologyProperty:SportsFunction2027888273882013-07-10T15:02:06Z{{DatatypeProperty + {{label|en|system of law}} + {{label|de|Rechtssystem}} + {{label|nl|rechtssysteem}} +| comments = + {{comment|en|A referral to the relevant system of law }} +| rdfs:domain = LegalCase +| rdfs:range = SystemOfLaw +| rdf:type = | rdfs:subPropertyOf = +| owl:equivalentProperty = +| rdfs:subPropertyOf = dul:isSettingFor +}}OntologyProperty:SystemRequirements2026411343502014-04-08T13:39:39Z{{DatatypeProperty | labels = -{{label|en|sports function}} -| rdfs:domain = Person +{{label|en|minimum system requirements}} +{{label|de|Mindestsystemanforderungen}} +| rdfs:domain = owl:Thing | rdfs:range = xsd:string -}}OntologyProperty:Spouse2021459535972020-02-17T07:43:22Z{{ObjectProperty +}}OntologyProperty:Tag2027074255942013-05-26T12:17:07Z{{DatatypeProperty | labels = - {{label|en|spouse}} - {{label|de|Ehepartner}} - {{label|nl|echtgenoot}} - {{label|ja|配偶者}} - {{label|el|σύζυγος}} -| rdfs:domain = Person +{{label|en|tag}} +| rdfs:range = xsd:date +}}OntologyProperty:Taoiseach2022333474452015-04-01T15:00:29Z{{ObjectProperty +| rdfs:label@en = taoiseach +| rdfs:label@ga = taoiseach | rdfs:range = Person -| owl:equivalentProperty = schema:spouse, wikidata:P26 -| owl:propertyDisjointWith = child -| rdfs:comment@en = the person they are married to -| comments = - {{comment|el|Το άτομο με το οποίο κάποιος είναι παντρεμένος}} -| rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:SpouseName2027704343212014-04-08T13:37:25Z{{DatatypeProperty +| rdfs:comment@en = head of government of Ireland +| owl:equivalentProperty = wikidata:P6 +}}OntologyProperty:TargetAirport2021502366032014-07-08T14:23:03Z +{{ObjectProperty +| rdfs:label@en = target airport +| rdfs:domain = Airline +| rdfs:range = Airport +| rdfs:subPropertyOf = dul:hasLocation +}}OntologyProperty:TargetSpaceStation2021471366042014-07-08T14:23:06Z +{{ObjectProperty +| rdfs:label@en = target space station station +| rdfs:domain = Spacecraft +| rdfs:range = SpaceStation +| rdfs:subPropertyOf = dul:hasLocation +}}OntologyProperty:Taste2028914343512014-04-08T13:39:47Z{{DatatypeProperty | labels = -{{label|en|spouse name}} -{{label|de|Name des Ehepartners}} -{{label|el|όνομα συζύγου}} +{{label|en|taste or flavour}} +{{label|de|Geschmack oder Aroma}} +{{label|nl|smaak}} +| rdfs:domain = Food +| rdfs:range = xsd:string +}}OntologyProperty:Tattoo2023288567792022-02-28T18:39:33Z{{DatatypeProperty +| labels = + {{label|en|tattoo}} + {{label|fr|tatouage}} + {{label|el|τατουάζ}} + {{label|de|Tätowierung}} + {{label|pt|tatuagem}} | rdfs:domain = Person | rdfs:range = xsd:string -}}OntologyProperty:SpurOf2022762365802014-07-08T14:21:33Z -{{ObjectProperty -| rdfs:label@en = spur of -| rdfs:domain = Road -| rdfs:range = Road -| rdfs:subPropertyOf = dul:hasCommonBoundary -}}OntologyProperty:SpurType2021460365812014-07-08T14:21:36Z -{{ObjectProperty -| rdfs:label@en = spur type -| rdfs:domain = Road -| rdfs:subPropertyOf = dul:isClassifiedBy -}}OntologyProperty:SquadNumber2025023165912012-01-14T19:16:55Z{{DatatypeProperty -| rdfs:label@en = squad number -| rdfs:domain = SportsTeamMember -| rdfs:range = xsd:nonNegativeInteger -| rdfs:comment@en = The number that an athlete wears in a team sport. -}}OntologyProperty:Stadium2026091365822014-07-08T14:21:39Z +}}OntologyProperty:Taxon2029309327432014-03-15T11:01:45Z{{ObjectProperty +| labels = +{{label|en|has taxon}} +{{label|nl|taxon}} +| rdfs:domain = Species +| rdfs:range = Taxon +}}OntologyProperty:TeachingStaff2023131366052014-07-08T14:23:09Z {{ObjectProperty -| labels = - {{label|en|Stadium}} - {{label|de|Stadion}} - {{label|el|στάδιο}} -| rdfs:range = Stadium -| rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:Staff2021461525892017-10-31T08:56:00Z{{DatatypeProperty -| rdfs:label@en = staff -| rdfs:label@de = Personal -| rdfs:label@el = προσωπικό -| rdfs:domain = Organisation -| rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:StarRating2022510100132010-10-25T09:40:59Z{{DatatypeProperty -| rdfs:label@en = star rating -| rdfs:domain = Hotel -| rdfs:range = xsd:float -}}OntologyProperty:Starring2021463536862020-09-02T18:35:05Z +| rdfs:label@en = teaching staff +| rdfs:domain = School +| rdfs:subPropertyOf = dul:hasMember +}}OntologyProperty:Team2021503514472016-08-16T07:40:03Z {{ObjectProperty | labels = - {{label|en|starring}} - {{label|da|skuespillere}} - {{label|nl|met in de hoofdrol}} - {{label|el|ηθοποιοί}} - {{label|fr|acteur}} -| rdfs:domain = Work -| rdfs:range = Actor -| owl:equivalentProperty = schema:actor,schema:actors, wikidata:P161 -| rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:Start2027890524552017-10-15T19:27:09Z{{DatatypeProperty + {{label|en|team}} + {{label|de|Team}} + {{label|nl|team}} + {{label|el|ομάδα}} + {{label|fr|équipe}} + {{label|ja|チーム}} +| rdfs:range = SportsTeam +| owl:equivalentProperty = wikidata:P54 +| rdfs:subPropertyOf = dul:isSettingFor +}}OntologyProperty:TeamCoached2027691343532014-04-08T13:40:05Z{{ObjectProperty | labels = -{{label|en|start}} -{{label|de|Start}} -| rdfs:range = xsd:date -| rdfs:domain = TimePeriod -}}OntologyProperty:StartCareer2027552267642013-07-01T14:39:14Z{{DatatypeProperty +{{label|en|team coached}} +{{label|de|Team gecoacht}} +| rdfs:domain = Athlete +| rdfs:range = SportsTeam +}}OntologyProperty:TeamManager2027799343542014-04-08T13:40:20Z{{ObjectProperty | labels = -{{label|en|start career}} +{{label|en|team manager}} +{{label|de|Team-Manager}} | rdfs:domain = Person -| rdfs:range = xsd:string -}}OntologyProperty:StartDate2021464537092020-09-04T15:39:35Z{{DatatypeProperty -| labels = - {{label|en|start date}} -{{label|de|Startdatum}} - {{label|nl|startdatum}} - {{label|fr|date de début}} - {{label|es|fecha de inicio}} -| rdfs:domain = Event -| rdfs:range = xsd:date -| owl:equivalentProperty = schema:startDate, wikidata:P580, ceo:startdatum -| rdfs:comment@en = The start date of the event. -}}OntologyProperty:StartDateTime20210293387982014-12-02T10:49:29Z{{DatatypeProperty +| rdfs:range = SportsTeam +}}OntologyProperty:TeamName2021504348102014-05-14T11:25:22Z{{DatatypeProperty +| rdfs:label@en = team name +| rdfs:label@de = Teamname +| rdfs:label@el = όνομα ομάδας +| rdfs:domain = School +| rdfs:range = rdf:langString +}}OntologyProperty:TeamPoint2027671269412013-07-04T07:47:06Z{{DatatypeProperty | labels = - {{label|en|start date and time}} - {{label|nl|datum en tijd van begin}} -| rdfs:domain = Event -| rdfs:range = xsd:dateTime -| rdfs:comment@en = The start date and time of the event. -}}OntologyProperty:StartOccupation2027791273752013-07-10T14:37:30Z{{DatatypeProperty +{{label|en|team point}} +| rdfs:range = xsd:nonNegativeInteger +| rdfs:domain = Athlete +}}OntologyProperty:TeamSize2022304343562014-04-08T13:40:26Z{{DatatypeProperty +| rdfs:label@en = team size +| rdfs:label@de = Teamgröße +| rdfs:range = xsd:nonNegativeInteger +}}OntologyProperty:TeamTitle2028048282032013-09-03T18:48:43Z{{DatatypeProperty | labels = -{{label|en|start occupation}} +{{label|en|team title}} +| rdfs:domain = Athlete +| rdfs:range = xsd:string +}}OntologyProperty:Technique2024782474432015-04-01T14:55:39Z{{DatatypeProperty +| rdfs:label@en = technique +| rdfs:label@de = technisch +| rdfs:label@el = τεχνική +| rdfs:label@es = técnica +| rdfs:domain = Painting | rdfs:range = xsd:string -}}OntologyProperty:StartPoint2021465523802017-10-14T19:34:51Z +}}OntologyProperty:TelevisionSeries2026097366072014-07-08T14:23:16Z {{ObjectProperty -| rdfs:label@en = start point -| rdfs:label@de = Startpunkt -| rdfs:label@el = σημείο_αρχής -| rdfs:domain = Place -| rdfs:range = Place -| rdfs:subPropertyOf = dul:hasCommonBoundary -}}OntologyProperty:StartReign2027549271702013-07-09T09:21:56Z{{ObjectProperty | labels = -{{label|en|start reign}} -| rdfs:domain = Person -| rdfs:range = skos:Concept -}}OntologyProperty:StartWct2027834271502013-07-05T15:57:17Z{{DatatypeProperty + {{label|en|television series}} + {{label|de|Fernsehserie}} + {{label|el|τηλεοπτικές σειρές}} +| rdfs:range = TelevisionShow +| rdfs:subPropertyOf = dul:hasMember +}}OntologyProperty:TempPlace2029174318582014-02-13T20:17:54Z{{DatatypeProperty +| rdfs:label@en = Temporary Placement in the Music Charts +| rdfs:label@de = vorläufige Chartplatzierung +| rdfs:domain = ChartsPlacements +| rdfs:range = xsd:string +}}OntologyProperty:Temperature2021507343592014-04-08T13:40:37Z{{DatatypeProperty +| rdfs:label@en = temperature +| rdfs:label@de = Temperatur +| rdfs:label@el = θερμοκρασία +| rdfs:label@fr = température +| rdfs:range = Temperature +}}OntologyProperty:TemplateName20211967525462017-10-25T11:37:03Z{{DatatypeProperty | labels = -{{label|en|start xct}} -| rdfs:domain = Person + {{label|en|template name}} + {{label|de|Templatename}} +| comments = + {{comment|en|DO NOT USE THIS PROPERTY! For internal use only.}} +| rdfs:domain = WikimediaTemplate | rdfs:range = xsd:string -}}OntologyProperty:StartWqs2027833271492013-07-05T15:57:06Z{{DatatypeProperty +}}OntologyProperty:Temple2027795343602014-04-08T13:40:41Z{{DatatypeProperty | labels = -{{label|en|start wqs}} +{{label|en|temple}} +{{label|de|Tempel}} | rdfs:domain = Person | rdfs:range = xsd:string -}}OntologyProperty:StartYear2027172343282014-04-08T13:37:51Z{{DatatypeProperty -| labels = -{{label|en|start year}} -{{label|de|Startjahr}} -| rdfs:range = xsd:gYear -}}OntologyProperty:StartYearOfInsertion202146682842010-05-28T13:43:38Z{{DatatypeProperty -| rdfs:label@en = start year of insertion -| rdfs:domain = AutomobileEngine -| rdfs:range = xsd:gYear -}}OntologyProperty:StartYearOfSales202146782852010-05-28T13:43:47Z{{DatatypeProperty -| rdfs:label@en = start year of sales -| rdfs:domain = Sales -| rdfs:range = xsd:gYear -}}OntologyProperty:StatName2027655269122013-07-03T12:17:17Z{{DatatypeProperty +}}OntologyProperty:TempleYear2027796270972013-07-05T13:18:11Z{{DatatypeProperty | labels = -{{label|en|stat name}} -| rdfs:domain = owl:Thing +{{label|en|temple year}} +| rdfs:domain = Person | rdfs:range = xsd:string -}}OntologyProperty:StatValue2027656269152013-07-03T12:20:30Z{{DatatypeProperty -| labels = -{{label|en|stat value}} -| rdfs:domain = owl:Thing -| rdfs:range = xsd:double -}}OntologyProperty:State2021468365852014-07-08T14:21:49Z -{{ObjectProperty +}}OntologyProperty:Tenant2021508492012015-10-14T13:03:12Z{{ObjectProperty | labels = - {{label|en|state}} - {{label|de|Staat}} - {{label|nl|staat}} - {{label|el|νομός}} - {{label|pl|stan}} -| rdfs:domain = owl:Thing -| rdfs:range = PopulatedPlace -| rdfs:subPropertyOf = dul:hasLocation -}}OntologyProperty:StateDelegate2022364365862014-07-08T14:21:52Z -{{ObjectProperty -| rdfs:label@en = state delegate -| rdfs:range = Person + {{label|en|tenant}} + {{label|de|Mieter}} + {{label|nl|huurder}} + {{label|el|ενοικιαστής}} + {{label|fr|locataire}} +| rdfs:domain = ArchitecturalStructure +| rdfs:range = Organisation | rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:StateOfOrigin2021469365872014-07-08T14:21:55Z -{{ObjectProperty -| rdfs:label@en = state of origin -| rdfs:domain = Person -| rdfs:range = Country -| rdfs:subPropertyOf = dul:hasLocation -}}OntologyProperty:StateOfOriginPoint2027895274082013-07-10T15:51:50Z{{DatatypeProperty -| labels = -{{label|en|state of origin point}} -| rdfs:range = xsd:nonNegativeInteger -| rdfs:domain = Athlete -}}OntologyProperty:StateOfOriginTeam2027894274072013-07-10T15:50:48Z{{ObjectProperty -| labels = -{{label|en|state of origin team}} -| rdfs:domain = Athlete -| rdfs:range = SportsTeam -}}OntologyProperty:StateOfOriginYear2027893274062013-07-10T15:49:57Z{{DatatypeProperty +}}OntologyProperty:TennisSurfaceType2026391236622013-02-05T18:49:38Z{{DatatypeProperty | labels = -{{label|en|state of origin year}} + {{label|en|type of tennis surface}} + {{label|fr|type de surface (tennis)}} + {{label|es|tipo de surperficie(tennis}} + {{label|nl|type speelgrond}} +| comments = + {{comment|en|There 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.<ref>http://en.wikipedia.org/wiki/Tennis#Surface</ref>}} | rdfs:range = xsd:string -| rdfs:domain = Athlete -}}OntologyProperty:StationEvaDuration202147282862010-05-28T13:43:55Z{{DatatypeProperty -| rdfs:label@en = station EVA duration -| rdfs:domain = SpaceMission -| rdfs:range = Time -}}OntologyProperty:StationStructure2023229222662013-01-11T00:16:45Z{{DatatypeProperty +}} + +== References == + +<references/>OntologyProperty:TermOfOffice2027271343622014-04-08T13:40:50Z{{DatatypeProperty | labels = -{{label|en|station structure}} -{{label|nl|station structuur}} -| rdfs:domain = Station +{{label|en|term of office}} +{{label|de|Amtszeit}} +| rdfs:domain = PopulatedPlace | rdfs:range = xsd:string -| rdfs:comment@en = Type of station structure (underground, at-grade, or elevated). -}}OntologyProperty:StationVisitDuration202147382872010-05-28T13:44:01Z{{DatatypeProperty -| rdfs:label@en = station visit duration -| rdfs:domain = SpaceMission -| rdfs:range = Time -}}OntologyProperty:Statistic2027870343302014-04-08T13:38:00Z{{ObjectProperty +}}OntologyProperty:TermPeriod2025937366092014-07-08T14:23:24Z +{{ObjectProperty | labels = -{{label|en|statistic}} -{{label|de|statistisch}} -| rdfs:domain = Statistic -}}OntologyProperty:StatisticLabel202147489072010-05-28T16:30:01Z{{ObjectProperty -| rdfs:label@en = statistic label -| rdfs:domain = BaseballPlayer -}}OntologyProperty:StatisticValue2021475343312014-04-08T13:38:04Z{{DatatypeProperty -| rdfs:label@en = statistic value -| rdfs:label@de = Statistikwert -| rdfs:domain = BaseballPlayer -| rdfs:range = xsd:float -}}OntologyProperty:StatisticYear202147682892010-05-28T13:44:16Z{{DatatypeProperty -| rdfs:label@en = statistic year -| rdfs:domain = BaseballPlayer -| rdfs:range = xsd:date -}}OntologyProperty:Status2021477537822020-10-21T08:20:35Z{{DatatypeProperty + {{label|en|term period}} + {{label|el|χρονική περίοδος}} +| rdfs:range = TimePeriod +| rdfs:subPropertyOf = dul:hasSetting +}}OntologyProperty:Territory2021509567292022-02-28T14:55:13Z{{ObjectProperty | labels = -{{label|en|status}} -{{label|de|Status}} -{{label|nl|status}} -{{label|fr|statut}} -{{label|es|estatus}} -| rdfs:range = xsd:string -}}OntologyProperty:StatusManager2027800271022013-07-05T13:20:53Z{{DatatypeProperty + {{label|en|territory}} + {{label|de|Gebiet}} + {{label|es|territorio}} + {{label|fr|territoire}} +| rdfs:domain = MilitaryConflict, AdministrativeRegion +| rdfs:range = PopulatedPlace +| rdfs:subPropertyOf = dul:hasParticipant +}}OntologyProperty:TerytCode2024204483762015-06-16T06:18:10Z{{ObjectProperty +| rdfs:label@en = TERYT code +| rdfs:label@pl = kod TERYT +| rdfs:domain = PopulatedPlace +| rdfs:comment@en = indexing code used by the Polish National Official Register of the Territorial Division of the Country (TERYT) to identify various entities +| rdfs:subPropertyOf = dul:isClassifiedBy +| owl:equivalentProperty = wikidata:P1653 +}}OntologyProperty:Tessitura2027755567732022-02-28T18:26:39Z{{DatatypeProperty | labels = -{{label|en|status manager}} + {{label|en|tessitura}} + {{label|fr|tessiture}} | rdfs:domain = Person | rdfs:range = xsd:string -}}OntologyProperty:StatusYear2027299486122015-08-06T12:17:59Z{{DatatypeProperty -| labels = -{{label|en|status year}} -| rdfs:domain = Place +}}OntologyProperty:Testaverage202151083022010-05-28T13:45:57Z{{DatatypeProperty +| rdfs:label@en = testaverage +| rdfs:domain = School +| rdfs:range = xsd:float +}}OntologyProperty:Theology2026166343642014-04-08T13:40:57Z{{DatatypeProperty +| rdfs:label@en = Theology +| rdfs:label@de = Theologie +| rdfs:label@el = Θεολογία +| rdfs:domain = ChristianDoctrine | rdfs:range = xsd:string -}}OntologyProperty:StellarClassification20211154465382015-03-19T08:45:39Z{{ObjectProperty -| labels = -{{label|en|stellar classification}} -{{label|nl|spectraalklasse}} -| rdfs:domain = CelestialBody -| rdfs:range = skos:OrderedCollection -}}OntologyProperty:StockExchange2029373347442014-05-09T09:24:43Z{{DatatypeProperty +}}OntologyProperty:Third2027892273972013-07-10T15:23:39Z{{DatatypeProperty | labels = -{{label|en|Registered at Stock Exchange}} -{{label|nl|beurs waaraan genoteerd}} -| rdfs:domain = Company -| rdfs:range = xsd:string -}}OntologyProperty:StoryEditor2021478365882014-07-08T14:21:58Z +{{label|en|third}} +| rdfs:range = xsd:nonNegativeInteger +| rdfs:domain = Person +}}OntologyProperty:ThirdCommander2021511366122014-07-08T14:23:33Z {{ObjectProperty -| rdfs:label@en = story editor -| rdfs:domain = TelevisionShow +| rdfs:label@en = third commander +| rdfs:domain = MilitaryUnit | rdfs:range = Person | rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:Strength2021479343332014-04-08T13:38:13Z{{DatatypeProperty -| rdfs:label@en = strength -| rdfs:label@de = Stärke -| rdfs:label@el = δύναμη -| rdfs:domain = MilitaryConflict +}}OntologyProperty:ThirdDriver2021512366132014-07-08T14:23:36Z +{{ObjectProperty +| rdfs:label@en = third driver +| rdfs:label@de = dritter Fahrer +| rdfs:domain = GrandPrix +| rdfs:range = Person +| rdfs:subPropertyOf = dul:hasParticipant +}}OntologyProperty:ThirdDriverCountry2021513366142014-07-08T14:23:40Z +{{ObjectProperty +| rdfs:label@en = third driver country +| rdfs:domain = GrandPrix +| rdfs:range = Country +| rdfs:subPropertyOf = dul:hasParticipant +}}OntologyProperty:ThirdPlace2028080343662014-04-08T13:41:06Z{{DatatypeProperty +| labels = +{{label|en|third place}} +{{label|de|dritter Platz}} +| rdfs:domain = owl:Thing | rdfs:range = xsd:string -}}OntologyProperty:StructuralSystem2021480365892014-07-08T14:22:02Z +}}OntologyProperty:ThirdTeam2021514366152014-07-08T14:23:43Z {{ObjectProperty | labels = - {{label|en|structural system}} - {{label|de|Tragsystem}} - {{label|nl|bouwmethode}} - {{label|el|κατασκευαστικό σύστημα}} -| rdfs:domain = Building -| rdfs:subPropertyOf = dul:hasConstituent -}}OntologyProperty:Student2027541520012017-03-22T16:51:09Z + {{label|en|third team}} + {{label|de|dritte Mannschaft}} + {{label|el|τρίτη ομάδα}} +| rdfs:domain = GrandPrix +| rdfs:range = SportsTeam +| rdfs:subPropertyOf = dul:hasParticipant +}}OntologyProperty:ThrowingSide2021515132352011-05-30T15:28:39Z{{DatatypeProperty +| rdfs:label@en = throwing side +| rdfs:domain = BaseballPlayer +| rdfs:range = xsd:string +| rdfs:comment = The side the player throws, Left, Right, or Unknown. +}}OntologyProperty:Thumbnail2024377388762014-12-14T14:05:42Z{{Reserved for DBpedia}} + + {{ObjectProperty | labels = - {{label|en|student}} -| rdfs:domain = Person -| rdfs:range = Person -| rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:Style2024780273652013-07-10T14:10:08Z{{ObjectProperty -| rdfs:label@en = style -| rdfs:label@de = stil -| rdfs:label@it = stile -| rdfs:label@es = estilo -| rdfs:domain = Artist -}}OntologyProperty:StylisticOrigin2021483365912014-07-08T14:22:08Z -{{ObjectProperty -| rdfs:label@en = stylistic origin -| rdfs:label@de = stilistische Herkunft -| rdfs:label@pt = origens estilísticas -| rdfs:domain = MusicGenre -| rdfs:range = MusicGenre -| rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:SubClassis2029312327562014-03-17T13:49:28Z{{ObjectProperty + {{label|en|thumbnail}} +| comments = + {{comment|en|Reserved for DBpedia. {{Reserved for DBpedia}}}} +| rdfs:range = Image +| rdfs:subPropertyOf = dul:isExpressedBy +}}OntologyProperty:ThumbnailCaption2026774270282013-07-04T13:49:15Z{{DatatypeProperty | labels = -{{label|en|sub-classis}} -{{label|nl|onderklasse}} -| rdfs:domain = Species -| rdfs:range = owl:Thing -| rdfs:subPropertyOf = classis -|comments = -{{comment|en|a subdivision within a Species classis}} -}}OntologyProperty:SubFamily2029328343362014-04-08T13:38:25Z{{ObjectProperty +{{label|en|thumbnail caption}} +| rdfs:domain = owl:Thing +| rdfs:range = xsd:string +}}OntologyProperty:Tie2027589344642014-04-08T14:58:11Z{{DatatypeProperty | labels = -{{label|en|sub-family}} -{{label|de|Unterfamilie}} -{{label|nl|onderfamilie}} -| rdfs:domain = Species -| rdfs:range = Taxon -}}OntologyProperty:SubGenus20210211378872014-09-24T11:18:42Z{{ObjectProperty +{{label|en|tie}} +{{label|de|Unentschieden}} +| rdfs:domain = Boxer +| rdfs:range = xsd:nonNegativeInteger +}}OntologyProperty:Time2028085515102016-09-18T10:51:49Z{{DatatypeProperty | labels = - {{label|en|subgenus}} - {{label|de|Untergattung}} - {{label|nl|ondergeslacht}} + {{label|en|time}} + {{label|nl|tijd}} + {{label|de|Zeit}} + {{label|el|χρόνος}} | comments = - {{comment|en|A rank in the classification of organisms, below genus ; a taxon at that rank}} -| rdfs:domain = Species -| rdfs:subPropertyOf = dul:specializes -}}OntologyProperty:SubMunicipalityType2026573343372014-04-08T13:38:38Z{{DatatypeProperty + {{comment|el|Χρόνος χαρακτηρίζεται η ακριβής μέτρηση μιας διαδικασίας από το παρελθόν στο μέλλον.}} +| rdfs:domain = owl:Thing +| rdfs:range = xsd:string +}}OntologyProperty:TimeInSpace2021517568092022-02-28T22:21:24Z{{DatatypeProperty +| labels = + {{label|en|total time person has spent in space}} + {{label|fr|temps total passé dans l'espace par la personne}} + {{label|de|Gesamtzeit welche die Person im Weltraum verbracht hat}} +| rdfs:range = Time +}}OntologyProperty:TimeZone2021686366172014-07-08T14:23:50Z +{{ObjectProperty | labels = -{{label|en|type of municipality}} -{{label|de|Art der Gemeinde}} -{{label|nl|type gemeente}} -| rdfs:domain = SubMunicipality + {{label|ca|zona horària}} + {{label|en|time zone}} + {{label|de|Zeitzone}} + {{label|nl|tijdzone}} + {{label|pt|fuso horario}} + {{label|el|ζώνη_ώρας1}} + {{label|es|huso horario}} + {{label|pl|strefa czasowa}} + {{label|fr|fuseau horaire}} +| rdfs:domain = Place +| rdfs:subPropertyOf = dul:sameSettingAs +}}OntologyProperty:TimeshiftChannel2023212120092011-04-06T14:53:13Z{{DatatypeProperty +| rdfs:label@en = timeshift channel +| rdfs:domain = TelevisionStation | rdfs:range = xsd:string -}}OntologyProperty:SubOrder20210212378972014-09-24T11:52:53Z{{ObjectProperty +| rdfs:comment@en = A timeshift channel is a television channel carrying a time-delayed rebroadcast of its "parent" channel's output. (http://en.wikipedia.org/wiki/Timeshift_channel) +}}OntologyProperty:Title2021520536802020-07-30T21:34:36Z{{DatatypeProperty | labels = -{{label|en|sub-order}} -{{label|nl|onderorde}} -| rdfs:domain = Species -}}OntologyProperty:SubPrefecture2027131256642013-05-26T15:24:48Z{{DatatypeProperty +{{label|en|title}} +{{label|nl|titel}} +{{label|it|denominazione}} +{{label|de|Titel}} +{{label|el|Τίτλος}} +{{label|es|título}} +{{label|ja|タイトル}} +| rdfs:range = rdf:langString +| owl:equivalentProperty = schema:title +}}OntologyProperty:TitleDate2023351222092013-01-10T22:16:34Z{{DatatypeProperty | labels = -{{label|en|subprefecture}} -| rdfs:domain = Place +{{label|en|title date}} +{{label|nl|titel datum}} +{{label|pt|data do titulo}} +|rdfs:domain = Person +|rdfs:range = xsd:date +}}OntologyProperty:TitleDouble2027715500872016-01-04T12:49:26Z{{DatatypeProperty +| labels = +{{label|en|title double}} +{{label|de|Doppeltitel}} +| rdfs:domain = TennisPlayer | rdfs:range = xsd:string -}}OntologyProperty:SubTribus2029310327532014-03-17T10:24:57Z{{ObjectProperty -| labels = -{{label|en|subtribus}} -{{label|nl|onderstam}} -| comments = -| rdfs:domain = Species -| rdfs:range = Species -| rdfs:subPropertyOf = Tribus -}}OntologyProperty:Subdivision2027058522922017-10-08T19:18:00Z{{ObjectProperty +}}OntologyProperty:TitleLanguage2027615268522013-07-02T13:36:00Z{{DatatypeProperty | labels = -{{label|en|subdivision}} -| rdfs:domain = owl:Thing -| rdfs:range = owl:Thing -}}OntologyProperty:SubdivisionLink2027056256382013-05-26T14:16:18Z{{DatatypeProperty +{{label|en|title language}} +| rdfs:domain = Film +| rdfs:range = xsd:string +}}OntologyProperty:TitleSingle2027712500882016-01-04T12:49:56Z{{DatatypeProperty | labels = -{{label|en|subdivision link}} -| rdfs:domain = Place +{{label|en|title single}} +{{label|de|Einzeltitel}} +| rdfs:domain = TennisPlayer | rdfs:range = xsd:string -}}OntologyProperty:SubdivisionName2027057365922014-07-08T14:22:11Z +}}OntologyProperty:Toll2023428124372011-04-26T15:05:30Z{{DatatypeProperty +| rdfs:label@en = toll +| rdfs:label@de = Maut +| rdfs:domain= RouteOfTransportation +| rdfs:range = Currency +}}OntologyProperty:TonyAward2021521366182014-07-08T14:23:53Z {{ObjectProperty +| rdfs:label@en = Tony Award +| rdfs:domain = Artist +| rdfs:range = Award +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:TopFloorHeight2026432521712017-08-09T09:52:31Z{{DatatypeProperty | labels = - {{label|en|subdivision name of the island}} -| rdfs:domain = Island -| rdfs:range = Place -| rdfs:subPropertyOf = dul:hasPart -}}OntologyProperty:Subdivisions2021687522912017-10-08T19:16:55Z{{DatatypeProperty -| rdfs:label@en = subdivisions -| rdfs:domain = owl:Thing +{{label|en|top floor height}} +{{label|de|Höhe der höchsten Etage}} +| rdfs:domain = Skyscraper | rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:SubjectOfPlay2023829133612011-06-06T11:37:02Z{{DatatypeProperty -| rdfs:label@en = subject of play -| rdfs:domain = Play -| rdfs:range = xsd:string -| rdfs:comment@en = The overall subject matter dealt with by the play. -}}OntologyProperty:SubjectTerm2029127316122014-02-10T13:59:07Z{{ DatatypeProperty +}}OntologyProperty:TopLevelDomain2023323525522017-10-26T10:27:05ZTopLevelDomain +{{ObjectProperty +| rdfs:label@en = country top level (tld) +| rdfs:label@pt = domínio de topo (tld) +| rdfs:label@fr = domaine de premier niveau (tld) +| rdfs:domain = Country +| rdfs:range = TopLevelDomain +}}OntologyProperty:TopSpeed2021522185502012-05-19T16:21:26Z{{DatatypeProperty +| rdfs:label@en = top speed +| rdfs:label@de = Höchstgeschwindigkeit +| rdfs:range = Speed +| rdf:type = owl:FunctionalProperty +}}OntologyProperty:Topic2027277343742014-04-08T13:41:40Z{{DatatypeProperty | labels = -{{label|en|subject term}} -{{label|nl|onderwerpsaanduiding}} -| rdfs:comment@en = The subject as a term, possibly a term from a formal classification -| rdfs:domain = Work +{{label|en|topic}} +{{label|de|Thema}} +| rdfs:domain = PopulatedPlace | rdfs:range = xsd:string -}}OntologyProperty:SublimationPoint202250392352010-07-21T11:01:32Z{{DatatypeProperty -| rdfs:label@en = sublimation point -| rdfs:range = Temperature -}}OntologyProperty:SuborbitalFlights2021485104262010-11-10T14:51:17Z{{DatatypeProperty -| rdfs:label@en = suborbital flights +}}OntologyProperty:TorchBearer2021523366192014-07-08T14:23:56Z +{{ObjectProperty +| labels = + {{label|de|Fackelträger}} + {{label|en|torch bearer}} +| rdfs:domain = Olympics +| rdfs:range = Person +| rdfs:subPropertyOf = dul:hasParticipant +}}OntologyProperty:TorqueOutput202152483072010-05-28T13:46:39Z{{DatatypeProperty +| rdfs:label@en = torque output +| rdfs:domain = AutomobileEngine +| rdfs:range = Torque +| rdf:type = owl:FunctionalProperty +}}OntologyProperty:TotalCargo202152583082010-05-28T13:46:47Z{{DatatypeProperty +| rdfs:label@en = total cargo +| rdfs:domain = Spacecraft +| rdfs:range = Mass +}}OntologyProperty:TotalDiscs2025142170222012-03-23T14:39:14Z{{DatatypeProperty +| rdfs:label@en = total discs +| rdfs:comment@en = the total number of discs contained in the album +| rdfs:domain = Album +| rdfs:range = xsd:integer +}}OntologyProperty:TotalIliCases20212303536172020-04-10T06:37:58Z{{DatatypeProperty +| labels = +{{label|en|Total Pandemic Cases}} +| rdfs:comment@en = Total number of cases in a pandemic +| rdfs:domain = Outbreak +| rdfs:range = xsd:integer +}}OntologyProperty:TotalLaunches2021526104302010-11-10T14:55:16Z{{DatatypeProperty +| rdfs:label@en = total launches +| rdfs:range = xsd:nonNegativeInteger +}}OntologyProperty:TotalMass2021527343752014-04-08T13:41:44Z{{DatatypeProperty +| rdfs:label@en = total mass +| rdfs:label@de = Gesamtmasse +| rdfs:domain = Spacecraft +| rdfs:range = Mass +}}OntologyProperty:TotalPopulation2021528343762014-04-08T13:41:49Z{{DatatypeProperty +| rdfs:label@en = total population +| rdfs:label@de = Gesamtbevölkerung +| rdfs:domain = EthnicGroup +| rdfs:range = xsd:nonNegativeInteger +}}OntologyProperty:TotalTracks2025141537672020-10-14T17:54:05Z{{DatatypeProperty +| rdfs:label@en = total tracks +| rdfs:comment@en = the total number of tracks contained in the album +| rdfs:domain = Album +| rdfs:range = xsd:integer +| owl:equivalentProperty = mo:track_count +}}OntologyProperty:TotalTravellers2021529104322010-11-10T14:55:44Z{{DatatypeProperty +| rdfs:label@en = total travellers | rdfs:domain = YearInSpaceflight | rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:Subprefecture2027017365932014-07-08T14:22:16Z -{{ObjectProperty +}}OntologyProperty:TotalVaccinations20213113548872021-07-26T03:51:20Z{{ObjectProperty | labels = - {{label|en|subprefecture}} -| rdfs:domain = Department -| rdfs:range = PopulatedPlace -| rdfs:subPropertyOf = dul:hasPart -}}OntologyProperty:Subregion2021486365942014-07-08T14:22:20Z + {{label|en|Total Vaccinations}} +| comments = + {{comment|en|VaccinationStatistics: Total vaccinations per date and country.}} +| rdfs:domain = owl:Thing +| rdfs:range = VaccinationStatistics +}}OntologyProperty:TotalVaccinationsPerHundred20213117548912021-07-26T03:57:48Z{{ObjectProperty +| labels = + {{label|en|Total Vaccinations Per Hundred}} +| comments = + {{comment|en|VaccinationStatistics: vaccinations per hundred.}} +| rdfs:domain = owl:Thing +| rdfs:range = VaccinationStatistics +}}OntologyProperty:TouristicSite2026931366202014-07-08T14:23:59Z {{ObjectProperty -| rdfs:label@en = subregion -| rdfs:domain = Place +| labels = + {{label|en|touristic site}} +| rdfs:domain = PopulatedPlace | rdfs:range = Place | rdfs:subPropertyOf = dul:hasPart -}}OntologyProperty:SubsequentInfrastructure2021487365952014-07-08T14:22:37Z -{{ObjectProperty +}}OntologyProperty:TournamentOfChampions2028053343772014-04-08T13:41:53Z{{DatatypeProperty | labels = - {{label|en|subsequent infrastructure}} - {{label|de|spätere Infrastruktur}} - {{label|nl|volgende infrastructuur}} -| rdfs:domain = Infrastructure -| rdfs:range = Infrastructure -| rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:SubsequentWork2021488365962014-07-08T14:22:40Z -{{ObjectProperty +{{label|en|tournament of champions}} +{{label|de|Turnier der Meister}} +| rdfs:domain = Athlete +| rdfs:range = xsd:string +}}OntologyProperty:TournamentRecord2021530343782014-04-08T13:41:57Z{{DatatypeProperty +| rdfs:label@en = tournament record +| rdfs:label@de = Turnierrekord +| rdfs:domain = CollegeCoach +| rdfs:range = xsd:string +}}OntologyProperty:TowerHeight2029341568322022-03-01T00:38:47Z{{DatatypeProperty | labels = - {{label|en|subsequent work}} - {{label|de|nachfolgende Arbeiten}} - {{label|nl|vervolg werk}} - {{label|el|επόμενη δημιουργία}} -| rdfs:domain = Work -| rdfs:range = Work +{{label|en|tower height}} +{{label|fr|hauteur de la tour}} +{{label|de|Turmhöhe}} +{{label|nl|hoogte van de toren}} +| rdfs:domain = Building +| rdfs:range = xsd:positiveInteger +}}OntologyProperty:TrackLength2023595128062011-05-16T15:54:44Z{{DatatypeProperty +| rdfs:label@en = track length +| rdfs:label@de = Streckenlänge +| rdfs:domain = RouteOfTransportation +| rdfs:range = Length +| rdfs:comment@en = Length of the track. Wikipedians usually do not differentiate between track length and line lenght. +}}OntologyProperty:TrackNumber2021531537652020-10-14T17:48:52Z{{DatatypeProperty +| rdfs:label@en = track number +| rdfs:label@de = Titelnummer +| rdfs:label@el = νούμερο τραγουδιού +| rdfs:domain = Song +| rdfs:range = xsd:positiveInteger +| owl:equivalentProperty = mo:track_number +}}OntologyProperty:TrackWidth20211445495272015-11-14T15:18:15Z{{DatatypeProperty +| rdfs:label@en = track width +| rdfs:label@nl = spoorbreedte +| rdfs:domain = RouteOfTransportation +| rdfs:range = Length +| rdfs:comment@en = Width of the track, e.g., the track width differing in Russia from (Western and Middle) European track width +}}OntologyProperty:TradeMark2024783567432022-02-28T15:47:30Z{{ObjectProperty +| rdfs:label@en = TradeMark +| rdfs:label@es = Marca +| rdfs:label@fr = Marque commerciale | rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:Subsidiary2021489365972014-07-08T14:22:43Z +}}OntologyProperty:TradingName20211901522832017-10-08T18:18:03Z{{DatatypeProperty +| rdfs:label@en = trading name +| rdfs:label@de = Handelsname +| rdfs:domain = Company +| rdfs:range = xsd:string +| rdfs:comment = Trade name, doing business as, d/b/a or fictitious business name under which a company presents itself to the public. This parameter is used only when the company has a legally registered trade name that is different from the company's full, legal name. +}}OntologyProperty:Trainer2021532366222014-07-08T14:24:06Z {{ObjectProperty | labels = - {{label|en|subsidiary}} - {{label|pt|treinador}} - {{label|fr|filiale}} -| rdfs:domain = Company -| rdfs:range = Company -| rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:Subsystem2027144343402014-04-08T13:38:48Z{{DatatypeProperty + {{label|en|trainer}} + {{label|de|Trainer}} + {{label|el|εκπαιδευτής}} + {{label|fr|entraîneur}} + {{label|nl|trainer}} +| rdfs:domain = Athlete +| rdfs:range = Person +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:TrainerClub2025642366232014-07-08T14:24:18Z +{{ObjectProperty +| rdfs:label@en = trainer club +| rdfs:domain = SoccerPlayer +| rdfs:range = SportsTeam +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:TrainerYears2025643224602013-01-12T22:56:01Z{{ DatatypeProperty | labels = -{{label|en|subsystem}} -{{label|de|Teilsystem}} -| rdfs:domain = Place -| rdfs:range = xsd:string -}}OntologyProperty:SubsystemLink2027143256822013-05-26T16:08:22Z{{DatatypeProperty +{{label|en|trainer years}} +{{label|nl|trainersjaren}} +| rdfs:domain = SoccerPlayer +| rdfs:range = xsd:gYear + +}}OntologyProperty:Training2021533366242014-07-08T14:24:20Z +{{ObjectProperty +| rdfs:label@en = training +| rdfs:label@de = Ausbildung +| rdfs:label@el = προπόνηση +| rdfs:domain = Artist +| rdfs:range = EducationalInstitution +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:TranslatedMotto2027432264712013-06-25T10:48:04Z{{DatatypeProperty | labels = -{{label|en|subsystem link}} -| rdfs:domain = Place +{{label|en|translated motto}} | rdfs:range = xsd:string -}}OntologyProperty:Subtitle2022299221762013-01-10T20:57:19Z{{DatatypeProperty +}}OntologyProperty:Translator2021534536722020-07-30T21:26:18Z +{{ObjectProperty | labels = -{{label|en|subtitle}} -{{label|de|Untertitel}} -{{label|el|υπότιτλος}} -{{label|nl|onderschrift}} -{{label|pt|legenda}} + {{label|en|translator}} + {{label|de|Übersetzer}} + {{label|nl|vertaler}} + {{label|el|μεταφραστής}} + {{label|fr|traducteur}} +| rdfs:domain = Work +| rdfs:range = Person +| rdfs:comment@en = Translator(s), if original not in English +| rdfs:subPropertyOf = dul:coparticipatesWith +| owl:equivalentProperty = schema:translator +}}OntologyProperty:Transmission2021535344652014-04-08T15:05:21Z{{DatatypeProperty +| rdfs:label@en = transmission +| rdfs:label@de = Getriebe +| rdfs:label@el = μετάδοση +| rdfs:domain = Automobile | rdfs:range = xsd:string -}}OntologyProperty:SuccessfulLaunches2021490343412014-04-08T13:38:51Z{{DatatypeProperty -| rdfs:label@en = successful launches -| rdfs:label@de = erfolgreiche Starts -| rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:Successor2021491365982014-07-08T14:22:46Z -{{ObjectProperty +}}OntologyProperty:Treatment20211865522022017-10-07T14:39:06Z{{ObjectProperty | labels = - {{label|en|successor}} - {{label|nl|opvolger}} - {{label|de|Nachfolger}} - {{label|ja|後任者}} -| rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:SudocId20211043528872018-02-13T11:00:45Z{{DatatypeProperty + {{label|en|treatment}} + {{label|fr|traitement}} + {{label|de|Behandlung}} +| rdfs:domain = Disease +| rdfs:range = owl:Thing +}}OntologyProperty:Tree2027135343852014-04-08T13:42:34Z{{ObjectProperty | labels = -{{label|en|SUDOC id}} +{{label|en|tree}} +{{label|de|Baum}} +{{label|el|δέντρο}} +| rdfs:domain = Place +| rdfs:range = Species +}}OntologyProperty:Tribus2029286343862014-04-08T13:42:38Z{{ObjectProperty +| labels = +{{label|en|tribus}} +{{label|de|Stämme}} +{{label|nl|stam}} | comments = -{{comment|en|Système universitaire de documentation id (French collaborative library catalog). -http://www.idref.fr/$1}} -| rdfs:domain = owl:Thing -| rdfs:range = xsd:string -| owl:equivalentProperty = wikidata:P269 +| rdfs:domain = Species +| rdfs:range = Species +}}OntologyProperty:Trustee2021536366262014-07-08T14:24:27Z +{{ObjectProperty +| rdfs:label@en = trustee +| rdfs:label@de = Treuhänder +| rdfs:domain = Organisation +| rdfs:range = Person +| rdfs:subPropertyOf = dul:sameSettingAs +}}OntologyProperty:Tuition2021537344662014-04-08T15:06:26Z{{DatatypeProperty +| rdfs:label@en = tuition +| rdfs:label@de = Schulgeld +| rdfs:domain = School +| rdfs:range = Currency +}}OntologyProperty:TvComId2022104529332018-03-01T12:35:57Z{{DatatypeProperty +| rdfs:label@en = tv.com id +| rdfs:domain = TelevisionShow +| rdfs:range = xsd:integer | rdfs:subPropertyOf = code -}}OntologyProperty:SummerAppearances2021492365992014-07-08T14:22:49Z +}}OntologyProperty:TvShow2026828366272014-07-08T14:24:30Z {{ObjectProperty -| rdfs:label@en = summer appearances -| rdfs:domain = OlympicResult -| rdfs:range = OlympicResult +| labels = + {{label|en|tvShow}} + {{label|de|Fernsehsendung}} +| rdfs:domain = Person +| rdfs:range = TelevisionShow +| rdfs:subPropertyOf = dul:isParticipantIn +}}OntologyProperty:TwinCountry2021539366292014-07-08T14:24:36Z +{{ObjectProperty +| rdfs:label@en = twin country +| rdfs:label@de = Partnerland +| rdfs:domain = Country +| rdfs:range = Country | rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:SummerTemperature202149382942010-05-28T13:44:53Z{{DatatypeProperty -| rdfs:label@en = summer temperature -| rdfs:domain = Settlement -| rdfs:range = Temperature -}}OntologyProperty:SuperFamily2029329328982014-03-23T20:22:12Z{{ObjectProperty +}}OntologyProperty:TwinTown2021538476362015-04-03T14:53:33Z +{{ObjectProperty | labels = -{{label|en|super-family}} -{{label|nl|superfamilie}} -| rdfs:domain = Species -| rdfs:range = Taxon -}}OntologyProperty:SuperOrder20210213378982014-09-24T11:53:55Z{{ObjectProperty + {{label|en|twin city}} + {{label|de|Partnerstadt}} + {{label|nl|tweeling stad}} +| rdfs:domain = Settlement +| rdfs:range = Settlement +| rdfs:subPropertyOf = dul:sameSettingAs +}}OntologyProperty:Type2021540517742016-12-20T07:28:44Z{{ObjectProperty | labels = -{{label|en|super-order}} -{{label|nl|bovenorde}} -| rdfs:domain = Species -}}OntologyProperty:SuperTribus2029311327542014-03-17T10:25:37Z{{ObjectProperty -| labels = -{{label|en|supertribus}} -{{label|nl|bovenstam}} -| comments = -| rdfs:domain = Species -| rdfs:range = Species -| rdfs:subPropertyOf = Tribus -}}OntologyProperty:SuperbowlWin2027686269582013-07-04T09:29:06Z{{DatatypeProperty + {{label|en|type}} + {{label|de|Typ}} + {{label|el|τύπος}} + {{label|es|tipo}} + {{label|fr|type}} + {{label|nl|type}} + {{label|hi|प्रकार}} +| owl:equivalentProperty = <!-- not wikidata:P31, see Discussion page --> +| rdfs:subPropertyOf = dul:isClassifiedBy +}}OntologyProperty:TypeCoordinate2027208391172015-01-09T19:00:17Z{{DatatypeProperty | labels = -{{label|en|superbowl win}} -| rdfs:domain = Athlete +{{label|en|type coordinate}} +| comments = +{{comment|en|Scale 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}} +| rdfs:domain = Place | rdfs:range = xsd:string -}}OntologyProperty:Superintendent2021494366002014-07-08T14:22:52Z +}}OntologyProperty:TypeOfElectrification2023591366312014-07-08T14:24:42Z {{ObjectProperty +| rdfs:label@en = type of electrification +| rdfs:label@de = Art der Elektrifizierung +| rdfs:domain = RouteOfTransportation +| rdfs:range = owl:Thing +| rdfs:comment@en = Electrification system (e.g. Third rail, Overhead catenary). +| rdfs:subPropertyOf = dul:isClassifiedBy +}}OntologyProperty:TypeOfGrain2028915343932014-04-08T13:43:18Z{{DatatypeProperty | labels = - {{label|en|superintendent}} - {{label|de|Leiter}} - {{label|nl|opzichter}} -| rdfs:domain = Organisation -| rdfs:range = Person -| rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:SupplementalDraftRound2021495174762012-04-27T22:09:22Z{{DatatypeProperty -| rdfs:label@en = supplemental draft round -| rdfs:domain = Athlete +{{label|en|type of grain (wheat etc.)}} +{{label|de|Getreideart (Weizen usw.)}} +{{label|nl|graansoort}} +| rdfs:domain = Food | rdfs:range = xsd:string -}}OntologyProperty:SupplementalDraftYear202149682962010-05-28T13:45:10Z{{DatatypeProperty -| rdfs:label@en = supplemental draft year -| rdfs:domain = GridironFootballPlayer -| rdfs:range = xsd:gYear -}}OntologyProperty:Supplies2021497366012014-07-08T14:22:56Z -{{ObjectProperty -| rdfs:label@en = supplies -| rdfs:label@el = παροχές -| rdfs:domain = Artery -| rdfs:range = AnatomicalStructure -| rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:Supply2027097344512014-04-08T14:38:21Z{{ObjectProperty -| labels = -{{label|en|supply}} -| rdfs:domain = Place -| rdfs:range = Place -}}OntologyProperty:SuppreddedDate2021498433312015-02-06T14:56:37Z{{DatatypeProperty +}}OntologyProperty:TypeOfStorage2028918343942014-04-08T13:43:22Z{{DatatypeProperty | labels = -{{label|en|suppredded date}} -{{label|nl|oppressie datum}} -{{label|bg|дата на забраната}} -| rdfs:domain = Saint -| rdfs:range = xsd:date -|rdfs:comment@en=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) -}}OntologyProperty:SurfaceArea2021499537882020-10-23T09:44:25Z{{DatatypeProperty -| rdfs:label@en = surface area -| rdfs:label@de = Oberfläche -| rdfs:label@el = έκταση -| rdfs:domain = Planet -| rdfs:range = Area -}}OntologyProperty:SurfaceFormOccurrenceOffset202244591382010-06-23T15:03:54Z{{DatatypeProperty -| rdfs:label@en = position in which a surface occurs in a text +{{label|en|type of storage}} +{{label|de|Art der Lagerung}} +{{label|nl|lagering}} +| rdfs:domain = Food | rdfs:range = xsd:string -}}OntologyProperty:SurfaceGravity2024360236632013-02-07T07:17:00Z{{DatatypeProperty - |rdfs:label@en=surface gravity - |rdfs:domain=Planet - |rdfs:range=Mass -}}OntologyProperty:SurfaceType20211781518372017-01-13T22:57:56Z{{DatatypeProperty +}}OntologyProperty:TypeOfYeast2028916344672014-04-08T15:07:11Z{{DatatypeProperty | labels = - {{label|en|type of surface}} - {{label|fr|type de surface}} - {{label|es|tipo de surperficie}} - {{label|cs|typ povrchu}} +{{label|en|type of yeast}} +{{label|de|Hefearte}} +{{label|nl|gistsoort}} +| rdfs:domain = Food | rdfs:range = xsd:string -}}OntologyProperty:SuspectedCases20212298536092020-04-10T06:20:32Z{{DatatypeProperty +}}OntologyProperty:URN2023121528972018-02-13T12:34:18Z +{{ObjectProperty +| rdfs:label@en = unique reference number (URN) +| rdfs:comment@en = DfE unique reference number of a school in England or Wales +| rdfs:domain = School +| rdfs:subPropertyOf = code +}}OntologyProperty:UciCode2027358262042013-06-18T13:08:18Z{{DatatypeProperty | labels = -{{label|en|Suspected Cases}} -| rdfs:comment@en = Number of suspected cases in a pandemic -| rdfs:domain = Outbreak -| rdfs:range = xsd:integer -}}OntologyProperty:SwimmingStyle2029268343462014-04-08T13:39:13Z{{DatatypeProperty -| rdfs:label@en = Swimming style -| rdfs:label@de = Schwimmstil -| rdfs:label@nl = Zwemslag -| rdfs:domain = Swimmer -| rdfs:range = xsd:string -}}OntologyProperty:Symbol2021500393642015-01-16T20:51:21Z{{DatatypeProperty -| rdfs:label@en = Symbol -| rdfs:label@nl = symbool -| rdfs:label@de = Symbol -| rdfs:comment@en = HUGO Gene Symbol -| rdfs:domain = Biomolecule -| rdfs:range = xsd:string -}}OntologyProperty:Symptom20211880522172017-10-07T22:21:07Z{{ObjectProperty -| labels = -{{label|de |Symptome}} -{{label|en|symptoms}} -{{label|el|σύμπτωμα}} -{{label|fr |symptômes}} -| rdfs:domain = Disease -| rdfs:range = owl:Thing -}}OntologyProperty:Synonym2021247538002020-12-01T17:54:33Z{{DatatypeProperty -| rdfs:label@en = synonym -| rdfs:label@de = Synonym -| rdfs:label@el = συνώνυμο -| rdfs:label@ja = シノニム +{{label|en|UCI code}} +{{label|it|codice UCI}} +| comments = +{{comment|en|Official UCI code for cycling teams}} +| rdfs:domain = CyclingTeam | rdfs:range = xsd:string -| owl:equivalentProperty=wikidata:P5973 -}}OntologyProperty:SystemOfLaw2026604366022014-07-08T14:22:59Z -{{ObjectProperty +}}OntologyProperty:UlanId2028427528882018-02-13T11:02:02Z{{DatatypeProperty | labels = - {{label|en|system of law}} - {{label|de|Rechtssystem}} - {{label|nl|rechtssysteem}} +{{label|en|ULAN id}} | comments = - {{comment|en|A referral to the relevant system of law }} -| rdfs:domain = LegalCase -| rdfs:range = SystemOfLaw -| rdf:type = | rdfs:subPropertyOf = -| owl:equivalentProperty = -| rdfs:subPropertyOf = dul:isSettingFor -}}OntologyProperty:SystemRequirements2026411343502014-04-08T13:39:39Z{{DatatypeProperty +{{comment|en|Union 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}} +| rdfs:range = xsd:string +| owl:equivalentProperty = wikidata:P245 +| rdfs:subPropertyOf = code +}}OntologyProperty:UmbrellaTitle2025987348212014-05-15T05:05:32Z{{DatatypeProperty | labels = -{{label|en|minimum system requirements}} -{{label|de|Mindestsystemanforderungen}} -| rdfs:domain = owl:Thing +{{label|en|umbrella title}} +{{label|nl|overkoepelende titel}} +| rdfs:domain = MultiVolumePublication +| rdfs:range = rdf:langString +| rdfs:comment@en = +}}OntologyProperty:UnNumber20212040527942018-02-07T09:45:54Z{{DatatypeProperty +| rdfs:label@en = UN number +| rdfs:label@de = UN Nummer +| rdfs:label@fr = numéro ONU +| rdfs:comment@en = four-digit numbers that identify hazardous substances, and articles in the framework of international transport +| rdfs:domain = ChemicalSubstance | rdfs:range = xsd:string -}}OntologyProperty:Tag2027074255942013-05-26T12:17:07Z{{DatatypeProperty +}}OntologyProperty:Uncle20212293535932020-01-30T18:46:01Z{{ObjectProperty | labels = -{{label|en|tag}} -| rdfs:range = xsd:date -}}OntologyProperty:Taoiseach2022333474452015-04-01T15:00:29Z{{ObjectProperty -| rdfs:label@en = taoiseach -| rdfs:label@ga = taoiseach + {{label|en|uncle}} + {{label|nl|oom}} + {{label|de|Onkel}} + {{label|el|θείος}} + {{label|ja|おじさん}} + {{label|ar|اخو الام}} +| rdfs:domain = Man | rdfs:range = Person -| rdfs:comment@en = head of government of Ireland -| owl:equivalentProperty = wikidata:P6 -}}OntologyProperty:TargetAirport2021502366032014-07-08T14:23:03Z -{{ObjectProperty -| rdfs:label@en = target airport -| rdfs:domain = Airline -| rdfs:range = Airport -| rdfs:subPropertyOf = dul:hasLocation -}}OntologyProperty:TargetSpaceStation2021471366042014-07-08T14:23:06Z +| owl:propertyDisjointWith = Aunt +}}OntologyProperty:UndraftedYear202154383182010-05-28T13:48:06Z{{DatatypeProperty +| rdfs:label@en = undrafted year +| rdfs:domain = GridironFootballPlayer +| rdfs:range = xsd:gYear +}}OntologyProperty:Unesco2026983366332014-07-08T14:24:49Z {{ObjectProperty -| rdfs:label@en = target space station station -| rdfs:domain = Spacecraft -| rdfs:range = SpaceStation -| rdfs:subPropertyOf = dul:hasLocation -}}OntologyProperty:Taste2028914343512014-04-08T13:39:47Z{{DatatypeProperty | labels = -{{label|en|taste or flavour}} -{{label|de|Geschmack oder Aroma}} -{{label|nl|smaak}} -| rdfs:domain = Food + {{label|en|unesco}} +| rdfs:range = PopulatedPlace +| rdfs:domain = Place +| rdfs:subPropertyOf = dul:hasPart +}}OntologyProperty:Unicode2025349343962014-04-08T13:43:30Z{{ DatatypeProperty +| labels = + {{label|en|unicode}} +{{label|de|Unicode}} + {{label|el|unicode}} +| comments = + {{comment|el|το διεθνές πρότυπο Unicode στοχεύει στην κωδικοποίηση όλων των συστημάτων γραφής που χρησιμοποιούνται στον πλανήτη.}} +| rdfs:domain = Letter | rdfs:range = xsd:string -}}OntologyProperty:Tattoo2023288242862013-03-08T00:29:00Z{{DatatypeProperty -| rdfs:label@en = tattoo -| rdfs:label@el = τατουάζ -| rdfs:label@de = Tätowierung -| rdfs:label@pt = tatuagem -| rdfs:domain = Person +}}OntologyProperty:Uniprot2021544191292012-07-31T11:14:37Z{{DatatypeProperty +| rdfs:label@en = UniProt +| rdfs:label@ja = UniProt +| rdfs:domain = Biomolecule | rdfs:range = xsd:string -}}OntologyProperty:Taxon2029309327432014-03-15T11:01:45Z{{ObjectProperty -| labels = -{{label|en|has taxon}} -{{label|nl|taxon}} -| rdfs:domain = Species -| rdfs:range = Taxon -}}OntologyProperty:TeachingStaff2023131366052014-07-08T14:23:09Z -{{ObjectProperty -| rdfs:label@en = teaching staff -| rdfs:domain = School -| rdfs:subPropertyOf = dul:hasMember -}}OntologyProperty:Team2021503514472016-08-16T07:40:03Z +}}OntologyProperty:UnitCost2021545343972014-04-08T13:43:43Z{{DatatypeProperty +| rdfs:label@en = unit cost +| rdfs:label@de = Stückkosten +| rdfs:domain = Aircraft +| rdfs:range = Currency +}}OntologyProperty:UnitaryAuthority2022142366342014-07-08T14:24:54Z +{{ObjectProperty +| rdfs:label@en = unitary authority +| rdfs:label@sr = унитарна власт +| rdfs:domain = PopulatedPlace +| rdfs:range = PopulatedPlace +| rdfs:subPropertyOf = dul:sameSettingAs +}}OntologyProperty:UnitedStatesNationalBridgeId2021546306252014-01-22T08:18:56Z{{DatatypeProperty +| rdfs:label@en = United States National Bridge ID +| rdfs:label@sr = ID националног моста у Сједињеним Америчким Државама +| rdfs:domain = Bridge +| rdfs:range = xsd:string +}}OntologyProperty:University2021547525692017-10-30T23:24:56Z {{ObjectProperty | labels = - {{label|en|team}} - {{label|de|Team}} - {{label|nl|team}} - {{label|el|ομάδα}} - {{label|fr|équipe}} - {{label|ja|チーム}} -| rdfs:range = SportsTeam -| owl:equivalentProperty = wikidata:P54 -| rdfs:subPropertyOf = dul:isSettingFor -}}OntologyProperty:TeamCoached2027691343532014-04-08T13:40:05Z{{ObjectProperty -| labels = -{{label|en|team coached}} -{{label|de|Team gecoacht}} -| rdfs:domain = Athlete -| rdfs:range = SportsTeam -}}OntologyProperty:TeamManager2027799343542014-04-08T13:40:20Z{{ObjectProperty -| labels = -{{label|en|team manager}} -{{label|de|Team-Manager}} -| rdfs:domain = Person -| rdfs:range = SportsTeam -}}OntologyProperty:TeamName2021504348102014-05-14T11:25:22Z{{DatatypeProperty -| rdfs:label@en = team name -| rdfs:label@de = Teamname -| rdfs:label@el = όνομα ομάδας -| rdfs:domain = School -| rdfs:range = rdf:langString -}}OntologyProperty:TeamPoint2027671269412013-07-04T07:47:06Z{{DatatypeProperty -| labels = -{{label|en|team point}} + {{label|en|university}} + {{label|de|Universität}} + {{label|el|πανεπιστήμιο}} + {{label|sr|универзитет}} + {{label|ja|大学}} +| comments = + {{comment|en|university a person goes or went to.}} + {{comment|el|To πανεπιστήμιο είναι εκπαιδευτικό ίδρυμα ανώτατης εκπαίδευσης και επιστημονικής έρευνας που παρέχει πτυχίο πιστοποίησης ακαδημαϊκής εκπαίδευσης.}} +| rdfs:range = EducationalInstitution +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:UnknownOutcomes2021548306182014-01-22T08:11:42Z{{DatatypeProperty +| rdfs:label@en = unknown outcomes +| rdfs:label@sr = непознати исходи +| rdfs:domain = Rocket | rdfs:range = xsd:nonNegativeInteger -| rdfs:domain = Athlete -}}OntologyProperty:TeamSize2022304343562014-04-08T13:40:26Z{{DatatypeProperty -| rdfs:label@en = team size -| rdfs:label@de = Teamgröße +| rdfs:comment@en = number of launches with unknown outcomes (or in progress) +| rdfs:comment@sr = број лансирања са непознатим исходом или број лансирања који су у току +}}OntologyProperty:UnloCode2022438483702015-06-16T06:01:53Z{{DatatypeProperty +| rdfs:label@en = UN/LOCODE +| rdfs:label@sr = UN/LOCODE +| rdfs:comment@en = UN/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. +| rdfs:comment@sr = UN/LOCODE је код Уједињених нација за трговинске и транспортне локације. Као што су луке, железнички и путни терминали, аеродроми, поште и гранични прелази. +| rdfs:domain = Place +| rdfs:range = xsd:string +| owl:equivalentProperty = wikidata:P1937 +}}OntologyProperty:Updated2025138306052014-01-22T07:55:23Z{{DatatypeProperty +| rdfs:label@en = updated +| rdfs:label@sr = ажуриран +| rdfs:comment@en = The last update date of a resource +| rdfs:comment@sr = датум последње измене +| rdfs:domain = owl:Thing +| rdfs:range = xsd:date +}}OntologyProperty:UpperAge2021549305972014-01-22T07:47:48Z{{DatatypeProperty +| rdfs:label@en = upper age +| rdfs:label@sr= горња старосна граница +| rdfs:domain = School | rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:TeamTitle2028048282032013-09-03T18:48:43Z{{DatatypeProperty +}}OntologyProperty:UrbanArea2026851492192015-10-15T07:16:22Z{{DatatypeProperty | labels = -{{label|en|team title}} -| rdfs:domain = Athlete +{{label|en|urban area}} +{{label|de|Stadtgebiet}} +{{label|sr|урбано подручје}} +| rdfs:domain = Settlement | rdfs:range = xsd:string -}}OntologyProperty:Technique2024782474432015-04-01T14:55:39Z{{DatatypeProperty -| rdfs:label@en = technique -| rdfs:label@de = technisch -| rdfs:label@el = τεχνική -| rdfs:label@es = técnica -| rdfs:domain = Painting +}}OntologyProperty:UsOpenDouble2027725500732016-01-04T12:34:55Z{{DatatypeProperty +| labels = +{{label|en|us open double}} +{{label|sr|US Open дубл}} +| rdfs:domain = TennisPlayer | rdfs:range = xsd:string -}}OntologyProperty:TelevisionSeries2026097366072014-07-08T14:23:16Z -{{ObjectProperty +}}OntologyProperty:UsOpenMixed2027729500742016-01-04T12:35:50Z{{DatatypeProperty | labels = - {{label|en|television series}} - {{label|de|Fernsehserie}} - {{label|el|τηλεοπτικές σειρές}} -| rdfs:range = TelevisionShow -| rdfs:subPropertyOf = dul:hasMember -}}OntologyProperty:TempPlace2029174318582014-02-13T20:17:54Z{{DatatypeProperty -| rdfs:label@en = Temporary Placement in the Music Charts -| rdfs:label@de = vorläufige Chartplatzierung -| rdfs:domain = ChartsPlacements +{{label|en|us open mixed}} +{{label|sr|US Open микс дубл}} +| rdfs:domain = TennisPlayer | rdfs:range = xsd:string -}}OntologyProperty:Temperature2021507343592014-04-08T13:40:37Z{{DatatypeProperty -| rdfs:label@en = temperature -| rdfs:label@de = Temperatur -| rdfs:label@el = θερμοκρασία -| rdfs:label@fr = température -| rdfs:range = Temperature -}}OntologyProperty:TemplateName20211967525462017-10-25T11:37:03Z{{DatatypeProperty +}}OntologyProperty:UsOpenSingle2027721500892016-01-04T12:50:44Z{{DatatypeProperty | labels = - {{label|en|template name}} - {{label|de|Templatename}} -| comments = - {{comment|en|DO NOT USE THIS PROPERTY! For internal use only.}} -| rdfs:domain = WikimediaTemplate +{{label|en|us open single}} +{{label|sr|US Open појединачно}} +| rdfs:domain = TennisPlayer | rdfs:range = xsd:string -}}OntologyProperty:Temple2027795343602014-04-08T13:40:41Z{{DatatypeProperty +}}OntologyProperty:UsSales2021551509672016-04-26T14:45:15Z{{DatatypeProperty +| rdfs:label@en = US sales +| rdfs:label@de = US-Verkäufe +| rdfs:label@sr = продаја у САД +| rdfs:domain = Sales +| rdfs:range = xsd:nonNegativeInteger +| rdfs:comment@en = Number of things (eg vehicles) sold in the US +}}OntologyProperty:UsedInWar2021570366362014-07-08T14:25:01Z +{{ObjectProperty +| rdfs:label@en = used in war +| rdfs:label@de = im Krieg eingesetzt +| rdfs:label@sr = коришћено у рату +| rdfs:domain = Weapon +| rdfs:range = MilitaryConflict +| rdfs:comment@en = wars that were typical for the usage of a weapon +| rdfs:subPropertyOf = dul:isParticipantIn +}}OntologyProperty:Uses2026801366372014-07-08T14:25:05Z +{{ObjectProperty +| rdfs:label@en = uses +| rdfs:label@sr = користи +| rdfs:domain = owl:Thing +| rdfs:range = owl:Thing +| rdfs:subPropertyOf = dul:isParticipantIn +}}OntologyProperty:UsingCountry2021550366382014-07-08T14:25:10Z +{{ObjectProperty +| rdfs:label@en = using country +| rdfs:domain = Currency +| rdfs:range = Country +| rdfs:subPropertyOf = dul:sameSettingAs +}}OntologyProperty:Usk2026413344022014-04-08T13:44:02Z{{DatatypeProperty | labels = -{{label|en|temple}} -{{label|de|Tempel}} +{{label|en|approved rating of the Entertainment Software Self-Regulation Body in Germany}} +{{label|de|zugelassene Bewertung der Unterhaltungssoftware Selbstkontrolle in Deutschland}} +{{label|sr|одобрени рејтинг од стране регулаторног тела за забавни софтвер у Немачкој }} +| rdfs:domain = owl:Thing +| rdfs:range = xsd:integer +}}OntologyProperty:UsopenWins2027647306062014-01-22T07:56:21Z{{ObjectProperty +| labels = +{{label|en|usopen wins}} +{{label|sr|победе на US Open-у}} | rdfs:domain = Person -| rdfs:range = xsd:string -}}OntologyProperty:TempleYear2027796270972013-07-05T13:18:11Z{{DatatypeProperty +| rdfs:range = skos:Concept +}}OntologyProperty:Usurper2027636305752014-01-22T07:15:48Z{{ObjectProperty | labels = -{{label|en|temple year}} +{{label|en|usurper}} +{{label|sr|узурпатор}} | rdfs:domain = Person +| rdfs:range = Person +}}OntologyProperty:UtcOffset2024200305742014-01-22T07:10:27Z{{DatatypeProperty +| rdfs:label@en = UTC offset +| rdfs:label@sr = UTC офсет +| rdfs:domain = Place | rdfs:range = xsd:string -}}OntologyProperty:Tenant2021508492012015-10-14T13:03:12Z{{ObjectProperty +| rdfs:comment = The UTC offset is the time offset from Coordinated Universal Time (UTC). It is mostly given as hour or hour and minute. +| rdfs:comment = UTC офсет је временски офсет који се мери од Универзалне временске координате. Најчешће се приказује у сатима и минутима. +}}OntologyProperty:V hb2026156207212012-12-23T12:34:42Z{{DatatypeProperty +| rdfs:label@en = V_hb +| rdfs:domain = Globularswarm +| rdfs:range = xsd:integer +}}OntologyProperty:Vaccination20213093548292021-07-07T19:02:28Z{{ObjectProperty +| rdfs:label@en = vaccination +| rdfs:domain = Disease +| rdfs:range = Vaccine +}}OntologyProperty:Vaccine20213109569762022-03-09T10:36:48Z{{DatatypeProperty +| labels = + {{label|en|Vaccine}} + {{label|fr|Vaccin}} + {{label|zh|疫苗}} +| rdfs:domain = owl:Thing +| rdfs:range = xsd:string +}}OntologyProperty:Value2027907510912016-05-14T15:28:09Z{{DatatypeProperty | labels = - {{label|en|tenant}} - {{label|de|Mieter}} - {{label|nl|huurder}} - {{label|el|ενοικιαστής}} - {{label|fr|locataire}} -| rdfs:domain = ArchitecturalStructure -| rdfs:range = Organisation -| rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:TennisSurfaceType2026391236622013-02-05T18:49:38Z{{DatatypeProperty +{{label|en|value}} +{{label|de|Wert}} +{{label|fr|valeur}} +{{label|sr|вредност}} +| rdfs:range = xsd:nonNegativeInteger +}}OntologyProperty:Valvetrain2021552510642016-05-11T08:50:34Z +{{DatatypeProperty +| rdfs:label@en = valvetrain +| rdfs:label@de = Ventilsteuerung +| rdfs:label@fr = distribution (moteur) +| rdfs:domain = AutomobileEngine +| rdfs:range = valvetrain +| rdfs:subPropertyOf = <!-- dul:hasComponent -- defined as object property, see https://github.com/dbpedia/ontology-tracker/issues/9 --> +}}OntologyProperty:VaporPressure20211849528032018-02-07T19:33:00Z{{DatatypeProperty | labels = - {{label|en|type of tennis surface}} - {{label|fr|type de surface (tennis)}} - {{label|es|tipo de surperficie(tennis}} - {{label|nl|type speelgrond}} -| comments = - {{comment|en|There 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.<ref>http://en.wikipedia.org/wiki/Tennis#Surface</ref>}} -| rdfs:range = xsd:string +{{label|en|vapor pressure}} +{{label|nl|dampdruk}} +| rdfs:domain = ChemicalSubstance +| rdfs:range = hectopascal +}}OntologyProperty:VariantOf2021554366402014-07-08T14:25:18Z +{{ObjectProperty +| labels = + {{label|en|variant or variation}} + {{label|de|Variante oder Variation}} + {{label|sr|варијанта}} + {{label|nl|variant}} +| rdfs:comment@en = variant or variation of something, for example the variant of a car +| rdfs:subPropertyOf = dul:sameSettingAs }} - -== References == - -<references/>OntologyProperty:TermOfOffice2027271343622014-04-08T13:40:50Z{{DatatypeProperty +варијантаOntologyProperty:Varietals2021555366412014-07-08T14:25:30Z +{{ObjectProperty +| rdfs:label@en = varietals +| rdfs:label@de = Rebsorten +| rdfs:domain = WineRegion +| rdfs:subPropertyOf = dul:isLocationOf +}}OntologyProperty:Vehicle2021556366422014-07-08T14:25:33Z +{{ObjectProperty +| rdfs:label@en = vehicle +| rdfs:label@sr = возило +| rdfs:label@el = όχημα +| rdfs:label@de = Vehikel +| rdfs:range = Automobile +| rdfs:comment@en = vehicle that uses a specific automobile platform +| rdfs:comment@el = όχημα που χρησιμοποιεί μια συγκεκριμένη πλατφόρμα αυτοκινήτων +| rdfs:subPropertyOf = dul:sameSettingAs +}}OntologyProperty:VehicleCode2022437305562014-01-21T15:10:56Z{{DatatypeProperty | labels = -{{label|en|term of office}} -{{label|de|Amtszeit}} -| rdfs:domain = PopulatedPlace +{{label|de|KFZ-Kennzeichen}} +{{label|en|vehicle code}} +{{label|sr|код возила}} +{{label|nl|voertuig code}} +| rdfs:comment@en = Region related vehicle code on the vehicle plates. +| rdfs:domain = Place | rdfs:range = xsd:string -}}OntologyProperty:TermPeriod2025937366092014-07-08T14:23:24Z +}}OntologyProperty:VehiclesInFleet20211894522572017-10-08T10:03:30Z{{ObjectProperty +| labels = + {{label|en|vehicle types in fleet}} + {{label|de|Fahrzeugtypen der Flotte}} +| rdfs:domain = PublicTransitSystem +| rdfs:range = MeanOfTransportation +| comments = +{{comment|en|Points out means of transport contained in the companies vehicle fleet.}} +}}OntologyProperty:VehiclesPerDay2023429306152014-01-22T08:09:54Z{{DatatypeProperty +| rdfs:label@en = vehicles per day +| rdfs:label@sr = број возила по дану +| rdfs:label@de = Fahrzeuge pro Tag +| rdfs:domain= RouteOfTransportation +| rdfs:range = xsd:nonNegativeInteger +}}OntologyProperty:Vein2021557366432014-07-08T14:25:35Z +{{ObjectProperty +| rdfs:label@en = vein +| rdfs:label@de = Vene +| rdfs:label@sr = вена +| rdfs:domain = AnatomicalStructure +| rdfs:range = Vein +| rdfs:subPropertyOf = dul:hasCommonBoundary +}}OntologyProperty:VeneratedIn2021558366442014-07-08T14:25:39Z {{ObjectProperty | labels = - {{label|en|term period}} - {{label|el|χρονική περίοδος}} -| rdfs:range = TimePeriod -| rdfs:subPropertyOf = dul:hasSetting -}}OntologyProperty:Territory2021509366102014-07-08T14:23:28Z -{{ObjectProperty -| rdfs:label@en = territory -| rdfs:label@de = Gebiet -| rdfs:label@es = territorio -| rdfs:domain = MilitaryConflict, AdministrativeRegion -| rdfs:range = PopulatedPlace -| rdfs:subPropertyOf = dul:hasParticipant -}}OntologyProperty:TerytCode2024204483762015-06-16T06:18:10Z{{ObjectProperty -| rdfs:label@en = TERYT code -| rdfs:label@pl = kod TERYT -| rdfs:domain = PopulatedPlace -| rdfs:comment@en = indexing code used by the Polish National Official Register of the Territorial Division of the Country (TERYT) to identify various entities -| rdfs:subPropertyOf = dul:isClassifiedBy -| owl:equivalentProperty = wikidata:P1653 -}}OntologyProperty:Tessitura2027755270422013-07-04T14:38:22Z{{DatatypeProperty + {{label|en|venerated in}} + {{label|sr|поштован у}} + {{label|nl|vereerd in}} +| rdfs:domain = Saint +| rdfs:range = Organisation +| rdfs:subPropertyOf = dul:sameSettingAs +}}OntologyProperty:Version2029133316822014-02-10T17:26:28Z{{ObjectProperty +| rdfs:label@en = version +| rdfs:label@de = Version +| rdfs:label@nl = versie +| rdfs:domain = MeanOfTransportation +}}OntologyProperty:ViafId2028417528892018-02-13T11:02:59Z{{DatatypeProperty | labels = -{{label|en|tessitura}} -| rdfs:domain = Person -| rdfs:range = xsd:string -}}OntologyProperty:Testaverage202151083022010-05-28T13:45:57Z{{DatatypeProperty -| rdfs:label@en = testaverage -| rdfs:domain = School -| rdfs:range = xsd:float -}}OntologyProperty:Theology2026166343642014-04-08T13:40:57Z{{DatatypeProperty -| rdfs:label@en = Theology -| rdfs:label@de = Theologie -| rdfs:label@el = Θεολογία -| rdfs:domain = ChristianDoctrine +{{label|en|VIAF Id}} +{{label|sr|VIAF Id}} +{{label|nl|VIAF code}} +| comments = +{{comment|en|Virtual International Authority File ID (operated by Online Computer Library Center, OCLC). Property range set to Agent because of corporate authors }} | rdfs:range = xsd:string -}}OntologyProperty:Third2027892273972013-07-10T15:23:39Z{{DatatypeProperty -| labels = -{{label|en|third}} -| rdfs:range = xsd:nonNegativeInteger -| rdfs:domain = Person -}}OntologyProperty:ThirdCommander2021511366122014-07-08T14:23:33Z +| owl:equivalentProperty = wikidata:P214 +| rdfs:subPropertyOf = code +}}OntologyProperty:ViceChancellor2021559366452014-07-08T14:25:42Z {{ObjectProperty -| rdfs:label@en = third commander -| rdfs:domain = MilitaryUnit +| rdfs:label@en = vice chancellor +| rdfs:label@sr = потканцелар +| rdfs:label@de = Vizekanzler | rdfs:range = Person | rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:ThirdDriver2021512366132014-07-08T14:23:36Z +}}OntologyProperty:ViceLeader2023355366462014-07-08T14:25:45Z {{ObjectProperty -| rdfs:label@en = third driver -| rdfs:label@de = dritter Fahrer -| rdfs:domain = GrandPrix +| rdfs:label@en = vice leader +| rdfs:label@pt = vicelider +| rdfs:domain = PopulatedPlace | rdfs:range = Person -| rdfs:subPropertyOf = dul:hasParticipant -}}OntologyProperty:ThirdDriverCountry2021513366142014-07-08T14:23:40Z +| rdfs:subPropertyOf = dul:sameSettingAs +}}OntologyProperty:ViceLeaderParty2023356366472014-07-08T14:25:49Z {{ObjectProperty -| rdfs:label@en = third driver country -| rdfs:domain = GrandPrix -| rdfs:range = Country -| rdfs:subPropertyOf = dul:hasParticipant -}}OntologyProperty:ThirdPlace2028080343662014-04-08T13:41:06Z{{DatatypeProperty -| labels = -{{label|en|third place}} -{{label|de|dritter Platz}} -| rdfs:domain = owl:Thing -| rdfs:range = xsd:string -}}OntologyProperty:ThirdTeam2021514366152014-07-08T14:23:43Z +| rdfs:label@en = vice leader party +| rdfs:label@de = stellvertretender Parteivorsitzende +| rdfs:label@pt = partido do vicelider +| rdfs:domain = PopulatedPlace +| rdfs:range = PoliticalParty +| rdfs:subPropertyOf = dul:sameSettingAs +}}OntologyProperty:VicePresident2022344568232022-03-01T00:14:37Z{{ObjectProperty +| labels = + {{label|en|vice president}} + {{label|fr|vice président}} + {{label|sr|потпредседник}} + {{label|de|Vizepräsident}} +| rdfs:range = Person +| rdfs:subPropertyOf = dul:sameSettingAs +}}OntologyProperty:VicePrimeMinister2022345366492014-07-08T14:25:56Z {{ObjectProperty | labels = - {{label|en|third team}} - {{label|de|dritte Mannschaft}} - {{label|el|τρίτη ομάδα}} -| rdfs:domain = GrandPrix -| rdfs:range = SportsTeam -| rdfs:subPropertyOf = dul:hasParticipant -}}OntologyProperty:ThrowingSide2021515132352011-05-30T15:28:39Z{{DatatypeProperty -| rdfs:label@en = throwing side -| rdfs:domain = BaseballPlayer -| rdfs:range = xsd:string -| rdfs:comment = The side the player throws, Left, Right, or Unknown. -}}OntologyProperty:Thumbnail2024377388762014-12-14T14:05:42Z{{Reserved for DBpedia}} - - + {{label|en|vice prime minister}} + {{label|de|Vizeministerpräsident}} + {{label|sr|заменик премијера}} + {{label|nl|vice premier}} +| rdfs:range = Person +| rdfs:subPropertyOf = dul:sameSettingAs +}}OntologyProperty:VicePrincipal2021561366502014-07-08T14:26:00Z {{ObjectProperty -| labels = - {{label|en|thumbnail}} -| comments = - {{comment|en|Reserved for DBpedia. {{Reserved for DBpedia}}}} -| rdfs:range = Image -| rdfs:subPropertyOf = dul:isExpressedBy -}}OntologyProperty:ThumbnailCaption2026774270282013-07-04T13:49:15Z{{DatatypeProperty -| labels = -{{label|en|thumbnail caption}} +| rdfs:label@en = vice principal +| rdfs:label@sr = заменик директора +| rdfs:domain = School +| rdfs:range = Person +| rdfs:subPropertyOf = dul:sameSettingAs +}}OntologyProperty:VicePrincipalLabel2023117366512014-07-08T14:26:04Z +{{ObjectProperty +| rdfs:label@en = vice principal label +| rdfs:domain = School +| rdfs:subPropertyOf = dul:sameSettingAs +}}OntologyProperty:Victim2028030512392016-06-09T10:16:20Z{{ObjectProperty +| labels = +{{label|en|victim (resource)}} +{{label|de|das Opfer (resource)}} +{{label|sr|жртва (resource)}} +| rdfs:domain = owl:Thing +| rdfs:range = owl:Thing +| rdfs:comment@en = Specific (eg notable) person, or specific class of people (eg Romani) that are victim of a ConcentrationCamp, Criminal, SerialKiller, or some other atrocity +}}OntologyProperty:Victims20211700512372016-06-09T10:03:39Z{{DatatypeProperty +| labels = +{{label|en|victims (string)}} +{{label|de|die Opfer (string)}} +{{label|sr|жртви (string)}} | rdfs:domain = owl:Thing | rdfs:range = xsd:string -}}OntologyProperty:Tie2027589344642014-04-08T14:58:11Z{{DatatypeProperty +| rdfs:comment@en = Type, description, or name(s) of victims of a ConcentrationCamp, Criminal, SerialKiller, or some other atrocity +}}OntologyProperty:Victory2027586344112014-04-08T13:44:39Z{{DatatypeProperty | labels = -{{label|en|tie}} -{{label|de|Unentschieden}} -| rdfs:domain = Boxer +{{label|en|victory}} +{{label|de|Sieg}} +{{label|sr|победа}} +| rdfs:domain = Person | rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:Time2028085515102016-09-18T10:51:49Z{{DatatypeProperty +}}OntologyProperty:VictoryAsMgr2027661269202013-07-03T12:23:46Z{{DatatypeProperty | labels = - {{label|en|time}} - {{label|nl|tijd}} - {{label|de|Zeit}} - {{label|el|χρόνος}} -| comments = - {{comment|el|Χρόνος χαρακτηρίζεται η ακριβής μέτρηση μιας διαδικασίας από το παρελθόν στο μέλλον.}} -| rdfs:domain = owl:Thing -| rdfs:range = xsd:string -}}OntologyProperty:TimeInSpace2021517515842016-11-04T12:51:51Z{{DatatypeProperty -| rdfs:label@en = total time person has spent in space -| rdfs:label@de = Gesamtzeit welche die Person im Weltraum verbracht hat -| rdfs:range = Time -}}OntologyProperty:TimeZone2021686366172014-07-08T14:23:50Z -{{ObjectProperty +{{label|en|victory as manager}} +| rdfs:domain = Person +| rdfs:range = xsd:nonNegativeInteger +}}OntologyProperty:VictoryPercentageAsMgr2027663305352014-01-21T14:53:15Z{{DatatypeProperty | labels = - {{label|ca|zona horària}} - {{label|en|time zone}} - {{label|de|Zeitzone}} - {{label|nl|tijdzone}} - {{label|pt|fuso horario}} - {{label|el|ζώνη_ώρας1}} - {{label|es|huso horario}} - {{label|pl|strefa czasowa}} - {{label|fr|fuseau horaire}} -| rdfs:domain = Place -| rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:TimeshiftChannel2023212120092011-04-06T14:53:13Z{{DatatypeProperty -| rdfs:label@en = timeshift channel -| rdfs:domain = TelevisionStation +{{label|en|victory percentage as manager}} +{{label|sr|проценат победа на месту менаџера}} +| rdfs:domain = Person +| rdfs:range = xsd:double +}}OntologyProperty:VirtualChannel2023182306282014-01-22T08:21:33Z{{DatatypeProperty +| rdfs:label@en = virtual channel +| rdfs:label@sr = виртуелни канал +| rdfs:label@el = εικονικό κανάλι +| rdfs:domain = Broadcaster | rdfs:range = xsd:string -| rdfs:comment@en = A timeshift channel is a television channel carrying a time-delayed rebroadcast of its "parent" channel's output. (http://en.wikipedia.org/wiki/Timeshift_channel) -}}OntologyProperty:Title2021520536802020-07-30T21:34:36Z{{DatatypeProperty +}}OntologyProperty:VisitorStatisticsAsOf2023239306322014-01-22T08:26:51Z{{DatatypeProperty +| rdfs:label@en = visitor statistics as of +| rdfs:label@sr = статистика посетилаца од +| rdfs:domain = ArchitecturalStructure +| rdfs:range = xsd:gYear +| rdfs:comment@en = Year visitor information was gathered. +}}OntologyProperty:VisitorsPerDay2023451305292014-01-21T14:47:28Z{{DatatypeProperty +| rdfs:label@en = visitors per day +| rdfs:label@sr= број посетилаца по дану +| rdfs:label@de = Besucher pro Tag +| rdfs:domain = ArchitecturalStructure +| rdfs:range = xsd:nonNegativeInteger +}}OntologyProperty:VisitorsPerYear2021565305282014-01-21T14:46:14Z{{DatatypeProperty | labels = -{{label|en|title}} -{{label|nl|titel}} -{{label|it|denominazione}} -{{label|de|Titel}} -{{label|el|Τίτλος}} -{{label|es|título}} -{{label|ja|タイトル}} -| rdfs:range = rdf:langString -| owl:equivalentProperty = schema:title -}}OntologyProperty:TitleDate2023351222092013-01-10T22:16:34Z{{DatatypeProperty +{{label|en|visitors per year}} +{{label|sr|годишњи број посетилаца}} +{{label|nl|bezoekers per jaar}} +{{label|de|Besucher pro Jahr}} +| rdfs:domain = ArchitecturalStructure +| rdfs:range = xsd:nonNegativeInteger +}}OntologyProperty:VisitorsPercentageChange2023250305252014-01-21T14:45:07Z{{DatatypeProperty +| rdfs:label@en = visitor percentage change +| rdfs:label@sr= промена процента посетилаца +| rdfs:label@de = prozentuale Veränderung der Besucherzahl +| rdfs:domain = ArchitecturalStructure +| rdfs:range = xsd:double +| rdfs:comment@en = Percentage increase or decrease. +}}OntologyProperty:VisitorsTotal2021566344122014-04-08T13:44:47Z{{DatatypeProperty +| rdfs:label@en = visitors total +| rdfs:label@de = Gesamtbesucher +| rdfs:label@sr= укупан број посетилаца +| rdfs:label@el = επιβατική κίνηση +| rdfs:domain = ArchitecturalStructure +| rdfs:range = xsd:nonNegativeInteger +}}OntologyProperty:Voice2021567587962022-05-31T15:31:26Z{{ObjectProperty +| rdfs:label@en = voice +| rdfs:label@de = Stimme +| rdfs:label@sr = глас +| rdfs:comment@en = Voice artist used in a TelevisionShow, Movie, or to sound the voice of a FictionalCharacter +| rdfs:range = Person +| rdfs:subPropertyOf = dul:sameSettingAs +| owl:equivalentProperty = wikidata:P990 +}}OntologyProperty:VoiceType2021568568032022-02-28T21:58:02Z +{{ObjectProperty | labels = -{{label|en|title date}} -{{label|nl|titel datum}} -{{label|pt|data do titulo}} -|rdfs:domain = Person -|rdfs:range = xsd:date -}}OntologyProperty:TitleDouble2027715500872016-01-04T12:49:26Z{{DatatypeProperty + {{label|en|voice type}} + {{label|fr|type de voix}} + {{label|de|Stimmlage}} + {{label|sr|тип гласа}} + {{label|nl|stemtype}} +| rdfs:domain = Artist +| comments = + {{comment|en|voice type of a singer or an actor}} + {{comment|fr|type de voix pour un chanteur ou un acteur}} +| rdfs:subPropertyOf = dul:isClassifiedBy +}}OntologyProperty:VolcanicActivity2027061570362022-03-09T13:59:59Z{{DatatypeProperty | labels = -{{label|en|title double}} -{{label|de|Doppeltitel}} -| rdfs:domain = TennisPlayer + {{label|en|volcanic activity}} + {{label|fr|activité volcanique}} + {{label|de|vulkanische Aktivität}} + {{label|sr|вулканска активност}} +| rdfs:domain = Island | rdfs:range = xsd:string -}}OntologyProperty:TitleLanguage2027615268522013-07-02T13:36:00Z{{DatatypeProperty +}}OntologyProperty:VolcanicType2027060344162014-04-08T13:45:07Z{{DatatypeProperty | labels = -{{label|en|title language}} -| rdfs:domain = Film +{{label|en|volcanic type}} +{{label|de|Vulkantyp}} +{{label|sr|тип вулкана}} +| rdfs:domain = Island | rdfs:range = xsd:string -}}OntologyProperty:TitleSingle2027712500882016-01-04T12:49:56Z{{DatatypeProperty +}}OntologyProperty:VolcanoId2027063306362014-01-22T08:29:56Z{{DatatypeProperty | labels = -{{label|en|title single}} -{{label|de|Einzeltitel}} -| rdfs:domain = TennisPlayer +{{label|en|volcano id}} +{{label|sr|id вулкана}} +| rdfs:domain = Island | rdfs:range = xsd:string -}}OntologyProperty:Toll2023428124372011-04-26T15:05:30Z{{DatatypeProperty -| rdfs:label@en = toll -| rdfs:label@de = Maut -| rdfs:domain= RouteOfTransportation -| rdfs:range = Currency -}}OntologyProperty:TonyAward2021521366182014-07-08T14:23:53Z -{{ObjectProperty -| rdfs:label@en = Tony Award -| rdfs:domain = Artist -| rdfs:range = Award -| rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:TopFloorHeight2026432521712017-08-09T09:52:31Z{{DatatypeProperty +}}OntologyProperty:VoltageOfElectrification2023592306372014-01-22T08:30:37Z{{DatatypeProperty +| rdfs:label@en = voltage of electrification +| rdfs:label@de = Voltzahl der Elektrifizierung +| rdfs:domain = RouteOfTransportation +| rdfs:range = Voltage +| rdfs:comment@en = Voltage of the electrification system. +}}OntologyProperty:Volume2021569344172014-04-08T13:45:11Z{{DatatypeProperty | labels = -{{label|en|top floor height}} -{{label|de|Höhe der höchsten Etage}} -| rdfs:domain = Skyscraper -| rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:TopLevelDomain2023323525522017-10-26T10:27:05ZTopLevelDomain -{{ObjectProperty -| rdfs:label@en = country top level (tld) -| rdfs:label@pt = domínio de topo (tld) -| rdfs:label@fr = domaine de premier niveau (tld) -| rdfs:domain = Country -| rdfs:range = TopLevelDomain -}}OntologyProperty:TopSpeed2021522185502012-05-19T16:21:26Z{{DatatypeProperty -| rdfs:label@en = top speed -| rdfs:label@de = Höchstgeschwindigkeit -| rdfs:range = Speed -| rdf:type = owl:FunctionalProperty -}}OntologyProperty:Topic2027277343742014-04-08T13:41:40Z{{DatatypeProperty +{{label|en|volume}} +{{label|de|Volumen}} +{{label|sr|запремина}} +{{label|nl|volume}} +{{label|el|όγκος}} +{{label|fr|volume}} +| rdfs:range = Volume +}}OntologyProperty:VolumeQuote2027095256192013-05-26T13:35:04Z{{DatatypeProperty | labels = -{{label|en|topic}} -{{label|de|Thema}} -| rdfs:domain = PopulatedPlace +{{label|en|volume quote}} +| rdfs:domain = Place | rdfs:range = xsd:string -}}OntologyProperty:TorchBearer2021523366192014-07-08T14:23:56Z +}}OntologyProperty:Volumes2025989366542014-07-08T14:26:13Z {{ObjectProperty | labels = - {{label|de|Fackelträger}} - {{label|en|torch bearer}} -| rdfs:domain = Olympics -| rdfs:range = Person -| rdfs:subPropertyOf = dul:hasParticipant -}}OntologyProperty:TorqueOutput202152483072010-05-28T13:46:39Z{{DatatypeProperty -| rdfs:label@en = torque output -| rdfs:domain = AutomobileEngine -| rdfs:range = Torque -| rdf:type = owl:FunctionalProperty -}}OntologyProperty:TotalCargo202152583082010-05-28T13:46:47Z{{DatatypeProperty -| rdfs:label@en = total cargo -| rdfs:domain = Spacecraft -| rdfs:range = Mass -}}OntologyProperty:TotalDiscs2025142170222012-03-23T14:39:14Z{{DatatypeProperty -| rdfs:label@en = total discs -| rdfs:comment@en = the total number of discs contained in the album -| rdfs:domain = Album -| rdfs:range = xsd:integer -}}OntologyProperty:TotalIliCases20212303536172020-04-10T06:37:58Z{{DatatypeProperty + {{label|en|volumes}} + {{label|sr|томови}} + {{label|nl|delen}} +| rdfs:domain = MultiVolumePublication +| rdfs:range = WrittenWork +| rdfs:comment@en = +| rdfs:subPropertyOf = dul:hasMember +}}OntologyProperty:VonKlitzingConstant2029120458452015-03-14T20:09:45Z{{DatatypeProperty | labels = -{{label|en|Total Pandemic Cases}} -| rdfs:comment@en = Total number of cases in a pandemic -| rdfs:domain = Outbreak -| rdfs:range = xsd:integer -}}OntologyProperty:TotalLaunches2021526104302010-11-10T14:55:16Z{{DatatypeProperty -| rdfs:label@en = total launches -| rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:TotalMass2021527343752014-04-08T13:41:44Z{{DatatypeProperty -| rdfs:label@en = total mass -| rdfs:label@de = Gesamtmasse -| rdfs:domain = Spacecraft -| rdfs:range = Mass -}}OntologyProperty:TotalPopulation2021528343762014-04-08T13:41:49Z{{DatatypeProperty -| rdfs:label@en = total population -| rdfs:label@de = Gesamtbevölkerung -| rdfs:domain = EthnicGroup +{{label|en|von Klitzing electromagnetic constant (RK)}} +{{label|de|von Klitzing elektromagnetisch Konstant (RK)}} +| rdfs:domain = CelestialBody +| rdfs:range = xsd:double +}}OntologyProperty:VotesAgainst2029130344182014-04-08T13:45:16Z{{DatatypeProperty +| rdfs:label@en = Votes against the resolution +| rdfs:label@de = Stimmen gegen die Resolution +| rdfs:label@nl = Aantal stemmen tegen +| rdfs:domain = StatedResolution | rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:TotalTracks2025141537672020-10-14T17:54:05Z{{DatatypeProperty -| rdfs:label@en = total tracks -| rdfs:comment@en = the total number of tracks contained in the album -| rdfs:domain = Album -| rdfs:range = xsd:integer -| owl:equivalentProperty = mo:track_count -}}OntologyProperty:TotalTravellers2021529104322010-11-10T14:55:44Z{{DatatypeProperty -| rdfs:label@en = total travellers -| rdfs:domain = YearInSpaceflight +}}OntologyProperty:VotesFor2029131344192014-04-08T13:45:20Z{{DatatypeProperty +| rdfs:label@en = Number of votes in favour of the resolution +| rdfs:label@de = Anzahl der Stimmen für die Resolution +| rdfs:label@nl = Aantal stemmen voor +| rdfs:domain = StatedResolution | rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:TouristicSite2026931366202014-07-08T14:23:59Z -{{ObjectProperty -| labels = - {{label|en|touristic site}} -| rdfs:domain = PopulatedPlace -| rdfs:range = Place -| rdfs:subPropertyOf = dul:hasPart -}}OntologyProperty:TournamentOfChampions2028053343772014-04-08T13:41:53Z{{DatatypeProperty +}}OntologyProperty:Wagon20211442495222015-11-14T14:52:00Z{{ObjectProperty +| rdfs:label@en = train carriage +| rdfs:label@nl = wagon +| rdfs:domain = Train +| rdfs:range = TrainCarriage +}}OntologyProperty:WaistSize2022411433142015-02-06T12:17:27Z{{DatatypeProperty + |rdfs:label@en=waist size + |rdfs:label@sr=димензије струка + |rdfs:label@de=Taillenumfang + |rdfs:label@ja=ウエスト + |rdfs:label@bg=размер талия + |rdfs:domain=Person + |rdfs:range=Length +}}OntologyProperty:War2025659344202014-04-08T13:45:24Z{{ DatatypeProperty +| labels = + {{label|en|wars}} +{{label|de|Kriege}} + {{label|sr|ратови}} + {{label|el|πολέμους}} + + | rdfs:domain = MilitaryPerson + | rdfs:range = xsd:string + +}}OntologyProperty:Ward2026963306392014-01-22T08:35:07Z{{DatatypeProperty | labels = -{{label|en|tournament of champions}} -{{label|de|Turnier der Meister}} -| rdfs:domain = Athlete -| rdfs:range = xsd:string -}}OntologyProperty:TournamentRecord2021530343782014-04-08T13:41:57Z{{DatatypeProperty -| rdfs:label@en = tournament record -| rdfs:label@de = Turnierrekord -| rdfs:domain = CollegeCoach +{{label|en|ward of a liechtenstein settlement}} +| rdfs:domain = LiechtensteinSettlement | rdfs:range = xsd:string -}}OntologyProperty:TowerHeight2029341343792014-04-08T13:42:09Z{{DatatypeProperty +}} +штићеник од Лихтенштајна насељаOntologyProperty:Water2027146570352022-03-09T13:58:20Z{{DatatypeProperty | labels = -{{label|en|tower height}} -{{label|de|Turmhöhe}} -{{label|nl|hoogte van de toren}} -| rdfs:domain = Building -| rdfs:range = xsd:positiveInteger -}}OntologyProperty:TrackLength2023595128062011-05-16T15:54:44Z{{DatatypeProperty -| rdfs:label@en = track length -| rdfs:label@de = Streckenlänge -| rdfs:domain = RouteOfTransportation -| rdfs:range = Length -| rdfs:comment@en = Length of the track. Wikipedians usually do not differentiate between track length and line lenght. -}}OntologyProperty:TrackNumber2021531537652020-10-14T17:48:52Z{{DatatypeProperty -| rdfs:label@en = track number -| rdfs:label@de = Titelnummer -| rdfs:label@el = νούμερο τραγουδιού -| rdfs:domain = Song -| rdfs:range = xsd:positiveInteger -| owl:equivalentProperty = mo:track_number -}}OntologyProperty:TrackWidth20211445495272015-11-14T15:18:15Z{{DatatypeProperty -| rdfs:label@en = track width -| rdfs:label@nl = spoorbreedte -| rdfs:domain = RouteOfTransportation -| rdfs:range = Length -| rdfs:comment@en = Width of the track, e.g., the track width differing in Russia from (Western and Middle) European track width -}}OntologyProperty:TradeMark2024783366212014-07-08T14:24:02Z -{{ObjectProperty -| rdfs:label@en = TradeMark -| rdfs:label@es = Marca -| rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:TradingName20211901522832017-10-08T18:18:03Z{{DatatypeProperty -| rdfs:label@en = trading name -| rdfs:label@de = Handelsname -| rdfs:domain = Company + {{label|en|water}} + {{label|fr|eau}} + {{label|de|Wasser}} + {{label|sr|вода}} +| rdfs:domain = Place | rdfs:range = xsd:string -| rdfs:comment = Trade name, doing business as, d/b/a or fictitious business name under which a company presents itself to the public. This parameter is used only when the company has a legally registered trade name that is different from the company's full, legal name. -}}OntologyProperty:Trainer2021532366222014-07-08T14:24:06Z -{{ObjectProperty -| labels = - {{label|en|trainer}} - {{label|de|Trainer}} - {{label|el|εκπαιδευτής}} - {{label|fr|entraîneur}} - {{label|nl|trainer}} -| rdfs:domain = Athlete -| rdfs:range = Person -| rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:TrainerClub2025642366232014-07-08T14:24:18Z -{{ObjectProperty -| rdfs:label@en = trainer club -| rdfs:domain = SoccerPlayer -| rdfs:range = SportsTeam -| rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:TrainerYears2025643224602013-01-12T22:56:01Z{{ DatatypeProperty +}}OntologyProperty:WaterArea2027039305052014-01-21T14:10:57Z{{DatatypeProperty | labels = -{{label|en|trainer years}} -{{label|nl|trainersjaren}} -| rdfs:domain = SoccerPlayer -| rdfs:range = xsd:gYear - -}}OntologyProperty:Training2021533366242014-07-08T14:24:20Z -{{ObjectProperty -| rdfs:label@en = training -| rdfs:label@de = Ausbildung -| rdfs:label@el = προπόνηση -| rdfs:domain = Artist -| rdfs:range = EducationalInstitution -| rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:TranslatedMotto2027432264712013-06-25T10:48:04Z{{DatatypeProperty +{{label|en|area of water}} +{{label|sr|површина воде}} +| rdfs:domain = Place +| rdfs:range = Area +| owl:equivalentProperty = area +}}OntologyProperty:WaterPercentage2027040344222014-04-08T13:45:32Z{{DatatypeProperty | labels = -{{label|en|translated motto}} +{{label|en|water percentage of a place}} +{{label|de|Wasseranteil von einem Ort}} +{{label|sr|проценат воде неког места}} +| rdfs:domain = Place +| rdfs:range = xsd:float +}}OntologyProperty:Watercourse2027279344232014-04-08T13:45:36Z{{DatatypeProperty +| labels = +{{label|en|watercourse}} +{{label|de|Wasserlauf}} +{{label|sr|водоток}} +| rdfs:domain = PopulatedPlace | rdfs:range = xsd:string -}}OntologyProperty:Translator2021534536722020-07-30T21:26:18Z +}}OntologyProperty:Watershed2021571344242014-04-08T13:45:45Z{{DatatypeProperty +| labels = +{{label|en|watershed}} +{{label|de|Wasserscheide}} +{{label|nl|waterscheiding}} +{{label|es|cuenca hidrográfica}} +{{label|el|λεκάνη_απορροής}} +| rdfs:domain = Stream +| rdfs:range = Area +}}OntologyProperty:WaterwayThroughTunnel2023432366552014-07-08T14:26:16Z {{ObjectProperty +| rdfs:label@en = waterway through tunnel +| rdfs:label@sr = пловни пут кроз тунел +| rdfs:label@de = Wasserweg durch Tunnel +| rdfs:domain = WaterwayTunnel +| rdfs:range = owl:Thing +| rdfs:comment@en = Waterway that goes through the tunnel. +| rdfs:subPropertyOf = dul:hasCommonBoundary +}}OntologyProperty:Wavelength2022192344252014-04-08T13:45:54Z{{DatatypeProperty +| rdfs:label@en = wavelength +| rdfs:label@de = Wellenlänge +| rdfs:label@sr= таласна дужина +| rdfs:label@fr = longueur d'onde +| rdfs:range = Length +| rdfs:domain = Colour +}}OntologyProperty:Weapon2026817528672018-02-13T10:28:11Z{{ObjectProperty | labels = - {{label|en|translator}} - {{label|de|Übersetzer}} - {{label|nl|vertaler}} - {{label|el|μεταφραστής}} - {{label|fr|traducteur}} -| rdfs:domain = Work -| rdfs:range = Person -| rdfs:comment@en = Translator(s), if original not in English -| rdfs:subPropertyOf = dul:coparticipatesWith -| owl:equivalentProperty = schema:translator -}}OntologyProperty:Transmission2021535344652014-04-08T15:05:21Z{{DatatypeProperty -| rdfs:label@en = transmission -| rdfs:label@de = Getriebe -| rdfs:label@el = μετάδοση -| rdfs:domain = Automobile -| rdfs:range = xsd:string -}}OntologyProperty:Treatment20211865522022017-10-07T14:39:06Z{{ObjectProperty +{{label|en|weapon}} +{{label|de|Waffe}} +{{label|sr|оружје}} +{{label|nl|wapen}} +{{label|fr|arme}} +| rdfs:domain = MilitaryConflict , Attack +| rdfs:range = Weapon +}}OntologyProperty:Webcast2023089366562014-07-08T14:26:19Z +{{ObjectProperty | labels = - {{label|en|treatment}} - {{label|fr|traitement}} - {{label|de|Behandlung}} -| rdfs:domain = Disease + {{label|en|webcast}} + {{label|de|webcast}} + {{label|nl|webcast}} +| rdfs:domain = owl:Thing | rdfs:range = owl:Thing -}}OntologyProperty:Tree2027135343852014-04-08T13:42:34Z{{ObjectProperty +| rdfs:comment@en = The URL to the webcast of the Thing. +| rdfs:subPropertyOf = dul:isClassifiedBy +}}OntologyProperty:WebsiteLabel2026932348522014-05-15T05:20:03Z{{DatatypeProperty | labels = -{{label|en|tree}} -{{label|de|Baum}} -{{label|el|δέντρο}} -| rdfs:domain = Place -| rdfs:range = Species -}}OntologyProperty:Tribus2029286343862014-04-08T13:42:38Z{{ObjectProperty +{{label|en|label of a website}} +| rdfs:range = rdf:langString +}}OntologyProperty:WeddingParentsDate2023350567742022-02-28T18:29:37Z{{DatatypeProperty | labels = -{{label|en|tribus}} -{{label|de|Stämme}} -{{label|nl|stam}} -| comments = -| rdfs:domain = Species -| rdfs:range = Species -}}OntologyProperty:Trustee2021536366262014-07-08T14:24:27Z -{{ObjectProperty -| rdfs:label@en = trustee -| rdfs:label@de = Treuhänder -| rdfs:domain = Organisation -| rdfs:range = Person -| rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:Tuition2021537344662014-04-08T15:06:26Z{{DatatypeProperty -| rdfs:label@en = tuition -| rdfs:label@de = Schulgeld -| rdfs:domain = School -| rdfs:range = Currency -}}OntologyProperty:TvComId2022104529332018-03-01T12:35:57Z{{DatatypeProperty -| rdfs:label@en = tv.com id -| rdfs:domain = TelevisionShow -| rdfs:range = xsd:integer -| rdfs:subPropertyOf = code -}}OntologyProperty:TvShow2026828366272014-07-08T14:24:30Z -{{ObjectProperty + {{label|en|Parents Wedding Date}} + {{label|fr|date de marriage des parents}} + {{label|sr|датум венчања родитеља}} + {{label|de|Hochzeitstag der Eltern}} + {{label|pt|data do casamento dos pais}} +|rdfs:domain = Person +|rdfs:range = xsd:date +}}OntologyProperty:Weight2021572527782018-01-23T15:03:37Z{{DatatypeProperty | labels = - {{label|en|tvShow}} - {{label|de|Fernsehsendung}} -| rdfs:domain = Person -| rdfs:range = TelevisionShow -| rdfs:subPropertyOf = dul:isParticipantIn -}}OntologyProperty:TwinCountry2021539366292014-07-08T14:24:36Z -{{ObjectProperty -| rdfs:label@en = twin country -| rdfs:label@de = Partnerland -| rdfs:domain = Country -| rdfs:range = Country -| rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:TwinTown2021538476362015-04-03T14:53:33Z +{{label|en|weight}} +{{label|sr|тежина}} +{{label|fr|poids}} +{{label|nl|gewicht}} +{{label|da|vægt}} +{{label|de|Gewicht}} +{{label|pt|peso}} +{{label|el|βάρος}} +{{label|ja|体重}} +| rdfs:range = Mass +| rdf:type = owl:FunctionalProperty +| owl:equivalentProperty = wikidata:P2067 +}}OntologyProperty:WestPlace20211085455982015-03-08T14:11:57Z{{ObjectProperty +| rdfs:label@en = west place +| rdfs:label@fr = lieu à l'ouest +| rdfs:comment@fr = indique un autre lieu situé à l'ouest. +| rdfs:comment@en = indicates another place situated west. +| rdfs:domain = Place +| rdfs:range = Place +| owl:inverseOf = eastPlace +| rdfs:subPropertyOf = closeTo +}}OntologyProperty:WhaDraft2021574304822014-01-21T13:49:11Z{{DatatypeProperty +| rdfs:label@en = wha draft +| rdfs:label@sr = WHA драфт +| rdfs:domain = IceHockeyPlayer +| rdfs:range = xsd:string +}}OntologyProperty:WhaDraftTeam2021575366572014-07-08T14:26:22Z {{ObjectProperty +| rdfs:label@en = wha draft team +| rdfs:label@sr = WHA тим који је драфтовао играча +| rdfs:domain = IceHockeyPlayer +| rdfs:range = HockeyTeam +| rdfs:subPropertyOf = dul:isMemberOf +}}OntologyProperty:WhaDraftYear2021576304802014-01-21T13:48:29Z{{DatatypeProperty +| rdfs:label@en = wha draft year +| rdfs:label@sr = WHA година драфта +| rdfs:domain = IceHockeyPlayer +| rdfs:range = xsd:date +}}OntologyProperty:Wheelbase2021577527792018-01-23T15:04:03Z{{DatatypeProperty +| rdfs:label@en = wheelbase +| rdfs:label@de = Radstand +| rdfs:label@sr= међуосовинско растојање +| rdfs:domain = Automobile +| rdfs:range = Length +| rdf:type = owl:FunctionalProperty +| owl:equivalentProperty = wikidata:P3039 +}}OntologyProperty:WholeArea2027942344302014-04-08T13:46:34Z{{ObjectProperty | labels = - {{label|en|twin city}} - {{label|de|Partnerstadt}} - {{label|nl|tweeling stad}} -| rdfs:domain = Settlement -| rdfs:range = Settlement -| rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:Type2021540517742016-12-20T07:28:44Z{{ObjectProperty +{{label|en|whole area}} +{{label|de|gesamter Bereich}} +| rdfs:domain = Place +| rdfs:range = Area +}}OntologyProperty:Width2021578536762020-07-30T21:29:56Z{{DatatypeProperty | labels = - {{label|en|type}} - {{label|de|Typ}} - {{label|el|τύπος}} - {{label|es|tipo}} - {{label|fr|type}} - {{label|nl|type}} - {{label|hi|प्रकार}} -| owl:equivalentProperty = <!-- not wikidata:P31, see Discussion page --> -| rdfs:subPropertyOf = dul:isClassifiedBy -}}OntologyProperty:TypeCoordinate2027208391172015-01-09T19:00:17Z{{DatatypeProperty +{{label|en|width}} +{{label|es|ancho}} +{{label|sr|ширина}} +{{label|nl|breedte}} +{{label|de|Breite}} +{{label|el|πλάτος}} +| rdfs:range = Length +| rdf:type = owl:FunctionalProperty +| owl:equivalentProperty = schema:width, wikidata:P2049 +}}OntologyProperty:WidthQuote2027089256132013-05-26T13:32:39Z{{DatatypeProperty | labels = -{{label|en|type coordinate}} -| comments = -{{comment|en|Scale 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}} +{{label|en|width quote}} | rdfs:domain = Place | rdfs:range = xsd:string -}}OntologyProperty:TypeOfElectrification2023591366312014-07-08T14:24:42Z +}}OntologyProperty:WikiPageCharacterSize2029354570372022-03-09T14:02:57Z'''{{Reserved for DBpedia}}''' + +{{DatatypeProperty +| labels = + {{label|en|Character size of wiki page}} + {{label|fr|Taille des caractères des pages wiki}} +| rdfs:domain = owl:Thing +| rdfs:range = xsd:nonNegativeInteger +| comments = +{{comment|en|Needs to be removed, left at the moment to not break DBpedia Live}} +{{comment|fr|A supprimer, laisser encore pour ne pas casser DBpedia Live}} +}}OntologyProperty:WikiPageDisambiguates2022426186922012-05-28T19:35:13Z'''{{Reserved for DBpedia}}''' + +{{ObjectProperty +| rdfs:label@en = Wikipage disambiguates +| rdfs:domain = owl:Thing +| rdfs:range = owl:Thing +| comments = +{{comment|en|Reserved for DBpedia. {{Reserved for DBpedia}}}} +}}OntologyProperty:WikiPageEditLink2028156287212013-11-06T15:33:22Z'''{{Reserved for DBpedia}}''' + +{{ObjectProperty +| rdfs:label@en = Link to the Wikipage edit URL +| rdfs:domain = owl:Thing +| rdfs:range = owl:Thing +| comments = +{{comment|en|Reserved for DBpedia. {{Reserved for DBpedia}}}} +}}OntologyProperty:WikiPageExternalLink2022430186932012-05-28T19:35:34Z'''{{Reserved for DBpedia}}''' + +{{ObjectProperty +| rdfs:label@en = Link from a Wikipage to an external page +| rdfs:domain = owl:Thing +| rdfs:range = owl:Thing +| comments = +{{comment|en|Reserved for DBpedia. {{Reserved for DBpedia}}}} +}}OntologyProperty:WikiPageExtracted2028154287182013-11-06T15:29:56Z'''{{Reserved for DBpedia}}''' + +{{DatatypeProperty +| rdfs:label@en = extraction datetime +| rdfs:range = xsd:dateTime +| comments = +{{comment|en|Date a page was extracted '''{{Reserved for DBpedia}}'''}} +}}OntologyProperty:WikiPageHistoryLink2028158287232013-11-06T18:20:28Z'''{{Reserved for DBpedia}}''' + +{{ObjectProperty +| rdfs:label@en = Link to the Wikipage history URL +| rdfs:domain = owl:Thing +| rdfs:range = owl:Thing +| comments = +{{comment|en|Reserved for DBpedia. {{Reserved for DBpedia}}}} +}}OntologyProperty:WikiPageID2022429186942012-05-28T19:35:43Z'''{{Reserved for DBpedia}}''' + +{{DatatypeProperty +| rdfs:label@en = Wikipage page ID +| rdfs:range = xsd:integer +| comments = +{{comment|en|Reserved for DBpedia. {{Reserved for DBpedia}}}} +}}OntologyProperty:WikiPageInDegree2029352345812014-04-16T19:24:05Z'''{{Reserved for DBpedia}}''' + +{{DatatypeProperty +| rdfs:label@en = Wiki page in degree +| rdfs:domain = owl:Thing +| rdfs:range = xsd:nonNegativeInteger +| comments = +{{comment|en|Reserved for DBpedia. {{Reserved for DBpedia}}}} +}}OntologyProperty:WikiPageInterLanguageLink2025779186982012-05-28T19:40:06Z'''{{Reserved for DBpedia}}''' + {{ObjectProperty -| rdfs:label@en = type of electrification -| rdfs:label@de = Art der Elektrifizierung -| rdfs:domain = RouteOfTransportation +| rdfs:label@en = Link from a Wikipage to a Wikipage in a different language about the same or a related subject. +| rdfs:domain = owl:Thing | rdfs:range = owl:Thing -| rdfs:comment@en = Electrification system (e.g. Third rail, Overhead catenary). -| rdfs:subPropertyOf = dul:isClassifiedBy -}}OntologyProperty:TypeOfGrain2028915343932014-04-08T13:43:18Z{{DatatypeProperty -| labels = -{{label|en|type of grain (wheat etc.)}} -{{label|de|Getreideart (Weizen usw.)}} -{{label|nl|graansoort}} -| rdfs:domain = Food -| rdfs:range = xsd:string -}}OntologyProperty:TypeOfStorage2028918343942014-04-08T13:43:22Z{{DatatypeProperty -| labels = -{{label|en|type of storage}} -{{label|de|Art der Lagerung}} -{{label|nl|lagering}} -| rdfs:domain = Food -| rdfs:range = xsd:string -}}OntologyProperty:TypeOfYeast2028916344672014-04-08T15:07:11Z{{DatatypeProperty +| comments = +{{comment|en|Reserved for DBpedia. {{Reserved for DBpedia}}}} +}}OntologyProperty:WikiPageLength2029376347982014-05-14T08:47:50Z'''{{Reserved for DBpedia}}''' + +{{DatatypeProperty +| rdfs:label@en = page length (characters) of wiki page +| rdfs:domain = owl:Thing +| rdfs:range = xsd:nonNegativeInteger +| comments = +{{comment|en|Reserved for DBpedia. {{Reserved for DBpedia}}}} +}}OntologyProperty:WikiPageLengthDelta20214274591062022-12-01T13:51:36Z{{DatatypeProperty | labels = -{{label|en|type of yeast}} -{{label|de|Hefearte}} -{{label|nl|gistsoort}} -| rdfs:domain = Food -| rdfs:range = xsd:string -}}OntologyProperty:URN2023121528972018-02-13T12:34:18Z +{{label|en| Delta size of a revision with last one }} +{{label|fr| Delta de revision avec la précédante}} +|comments = +{‌{comment|en|This property is used by DBpedia History}‌} +{‌{comment|fr|Proprieté utilisée dans le cadre de DBpedia Historique}‌} +| rdfs:domain = Prov:Revision +| rdfs:range = xsd:integer +}}OntologyProperty:WikiPageModified2028157287222013-11-06T15:38:56Z'''{{Reserved for DBpedia}}''' + +{{DatatypeProperty +| rdfs:label@en = Wikipage modification datetime +| rdfs:range = xsd:dateTime +| comments = +{{comment|en|Reserved for DBpedia '''{{Reserved for DBpedia}}'''}} +}}OntologyProperty:WikiPageOutDegree2029353345822014-04-16T19:24:39Z'''{{Reserved for DBpedia}}''' + +{{DatatypeProperty +| rdfs:label@en = Wiki page out degree +| rdfs:domain = owl:Thing +| rdfs:range = xsd:nonNegativeInteger +| comments = +{{comment|en|Reserved for DBpedia. {{Reserved for DBpedia}}}} +}}OntologyProperty:WikiPageRedirects2022425186952012-05-28T19:36:13Z'''{{Reserved for DBpedia}}''' + {{ObjectProperty -| rdfs:label@en = unique reference number (URN) -| rdfs:comment@en = DfE unique reference number of a school in England or Wales -| rdfs:domain = School -| rdfs:subPropertyOf = code -}}OntologyProperty:UciCode2027358262042013-06-18T13:08:18Z{{DatatypeProperty -| labels = -{{label|en|UCI code}} -{{label|it|codice UCI}} -| comments = -{{comment|en|Official UCI code for cycling teams}} -| rdfs:domain = CyclingTeam -| rdfs:range = xsd:string -}}OntologyProperty:UlanId2028427528882018-02-13T11:02:02Z{{DatatypeProperty -| labels = -{{label|en|ULAN id}} -| comments = -{{comment|en|Union 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}} -| rdfs:range = xsd:string -| owl:equivalentProperty = wikidata:P245 -| rdfs:subPropertyOf = code -}}OntologyProperty:UmbrellaTitle2025987348212014-05-15T05:05:32Z{{DatatypeProperty -| labels = -{{label|en|umbrella title}} -{{label|nl|overkoepelende titel}} -| rdfs:domain = MultiVolumePublication -| rdfs:range = rdf:langString -| rdfs:comment@en = -}}OntologyProperty:UnNumber20212040527942018-02-07T09:45:54Z{{DatatypeProperty -| rdfs:label@en = UN number -| rdfs:label@de = UN Nummer -| rdfs:label@fr = numéro ONU -| rdfs:comment@en = four-digit numbers that identify hazardous substances, and articles in the framework of international transport -| rdfs:domain = ChemicalSubstance -| rdfs:range = xsd:string -}}OntologyProperty:Uncle20212293535932020-01-30T18:46:01Z{{ObjectProperty -| labels = - {{label|en|uncle}} - {{label|nl|oom}} - {{label|de|Onkel}} - {{label|el|θείος}} - {{label|ja|おじさん}} - {{label|ar|اخو الام}} -| rdfs:domain = Man -| rdfs:range = Person -| owl:propertyDisjointWith = Aunt -}}OntologyProperty:UndraftedYear202154383182010-05-28T13:48:06Z{{DatatypeProperty -| rdfs:label@en = undrafted year -| rdfs:domain = GridironFootballPlayer -| rdfs:range = xsd:gYear -}}OntologyProperty:Unesco2026983366332014-07-08T14:24:49Z +| rdfs:label@en = Wikipage redirect +| rdfs:domain = owl:Thing +| rdfs:range = owl:Thing +| comments = +{{comment|en|Reserved for DBpedia. {{Reserved for DBpedia}}}} +}}OntologyProperty:WikiPageRevisionID2022427186962012-05-28T19:36:22Z'''{{Reserved for DBpedia}}''' + +{{DatatypeProperty +| rdfs:label@en = Wikipage revision ID +| rdfs:range = xsd:integer +| comments = +{{comment|en|Reserved for DBpedia. {{Reserved for DBpedia}}}} +}}OntologyProperty:WikiPageRevisionLink2028155287202013-11-06T15:32:54Z'''{{Reserved for DBpedia}}''' + {{ObjectProperty +| rdfs:label@en = Link to the Wikipage revision URL +| rdfs:domain = owl:Thing +| rdfs:range = owl:Thing +| comments = +{{comment|en|Reserved for DBpedia. {{Reserved for DBpedia}}}} +}}OntologyProperty:WikiPageUsesTemplate20211966574052022-04-11T18:16:54Z{{ObjectProperty | labels = - {{label|en|unesco}} -| rdfs:range = PopulatedPlace -| rdfs:domain = Place -| rdfs:subPropertyOf = dul:hasPart -}}OntologyProperty:Unicode2025349343962014-04-08T13:43:30Z{{ DatatypeProperty -| labels = - {{label|en|unicode}} -{{label|de|Unicode}} - {{label|el|unicode}} + {{label|en|wiki page uses template}} + {{label|fr|page wiki transcluant un modèle}} + {{label|de|Wikiseite verwendet Template}} | comments = - {{comment|el|το διεθνές πρότυπο Unicode στοχεύει στην κωδικοποίηση όλων των συστημάτων γραφής που χρησιμοποιούνται στον πλανήτη.}} -| rdfs:domain = Letter -| rdfs:range = xsd:string -}}OntologyProperty:Uniprot2021544191292012-07-31T11:14:37Z{{DatatypeProperty -| rdfs:label@en = UniProt -| rdfs:label@ja = UniProt -| rdfs:domain = Biomolecule -| rdfs:range = xsd:string -}}OntologyProperty:UnitCost2021545343972014-04-08T13:43:43Z{{DatatypeProperty -| rdfs:label@en = unit cost -| rdfs:label@de = Stückkosten -| rdfs:domain = Aircraft -| rdfs:range = Currency -}}OntologyProperty:UnitaryAuthority2022142366342014-07-08T14:24:54Z + {{comment|en|DO NOT USE THIS PROPERTY! For internal use only.}} + {{comment|fr|NE PAS UTILISER CETTE PROPRIETE! Réservé à l'usage interne uniquement.}} +| rdfs:range = WikimediaTemplate +}}OntologyProperty:WikiPageWikiLink2022431366582014-07-08T14:26:25Z'''{{Reserved for DBpedia}}''' + + {{ObjectProperty -| rdfs:label@en = unitary authority -| rdfs:label@sr = унитарна власт -| rdfs:domain = PopulatedPlace -| rdfs:range = PopulatedPlace -| rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:UnitedStatesNationalBridgeId2021546306252014-01-22T08:18:56Z{{DatatypeProperty -| rdfs:label@en = United States National Bridge ID -| rdfs:label@sr = ID националног моста у Сједињеним Америчким Државама -| rdfs:domain = Bridge -| rdfs:range = xsd:string -}}OntologyProperty:University2021547525692017-10-30T23:24:56Z +| rdfs:label@en = Link from a Wikipage to another Wikipage +| rdfs:domain = owl:Thing +| rdfs:range = owl:Thing +| comments = + {{comment|en|Reserved for DBpedia. {{Reserved for DBpedia}}}} +| rdfs:subPropertyOf = dul:associatedWith +}}OntologyProperty:WikiPageWikiLinkText20210113377362014-09-08T13:44:53Z'''{{Reserved for DBpedia}}''' + + {{ObjectProperty +| rdfs:label@en = Text used to link from a Wikipage to another Wikipage +| rdfs:domain = owl:Thing +| rdfs:range = owl:Thing +| comments = + {{comment|en|Reserved for DBpedia. {{Reserved for DBpedia}}}} +| rdfs:subPropertyOf = +}}OntologyProperty:WikidataSplitIri20211440495202015-11-13T15:01:35Z{{ObjectProperty | labels = - {{label|en|university}} - {{label|de|Universität}} - {{label|el|πανεπιστήμιο}} - {{label|sr|универзитет}} - {{label|ja|大学}} + {{label|en|Wikidata IRI slit }} | comments = - {{comment|en|university a person goes or went to.}} - {{comment|el|To πανεπιστήμιο είναι εκπαιδευτικό ίδρυμα ανώτατης εκπαίδευσης και επιστημονικής έρευνας που παρέχει πτυχίο πιστοποίησης ακαδημαϊκής εκπαίδευσης.}} -| rdfs:range = EducationalInstitution -| rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:UnknownOutcomes2021548306182014-01-22T08:11:42Z{{DatatypeProperty -| rdfs:label@en = unknown outcomes -| rdfs:label@sr = непознати исходи -| rdfs:domain = Rocket -| rdfs:range = xsd:nonNegativeInteger -| rdfs:comment@en = number of launches with unknown outcomes (or in progress) -| rdfs:comment@sr = број лансирања са непознатим исходом или број лансирања који су у току -}}OntologyProperty:UnloCode2022438483702015-06-16T06:01:53Z{{DatatypeProperty -| rdfs:label@en = UN/LOCODE -| rdfs:label@sr = UN/LOCODE -| rdfs:comment@en = UN/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. -| rdfs:comment@sr = UN/LOCODE је код Уједињених нација за трговинске и транспортне локације. Као што су луке, железнички и путни терминали, аеродроми, поште и гранични прелази. -| rdfs:domain = Place -| rdfs:range = xsd:string -| owl:equivalentProperty = wikidata:P1937 -}}OntologyProperty:Updated2025138306052014-01-22T07:55:23Z{{DatatypeProperty -| rdfs:label@en = updated -| rdfs:label@sr = ажуриран -| rdfs:comment@en = The last update date of a resource -| rdfs:comment@sr = датум последње измене -| rdfs:domain = owl:Thing -| rdfs:range = xsd:date -}}OntologyProperty:UpperAge2021549305972014-01-22T07:47:48Z{{DatatypeProperty -| rdfs:label@en = upper age -| rdfs:label@sr= горња старосна граница -| rdfs:domain = School -| rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:UrbanArea2026851492192015-10-15T07:16:22Z{{DatatypeProperty + {{comment|en|is used to denote splitting of a Wikidata IRI to one or more IRIs }} +}}OntologyProperty:Wilaya2026844366592014-07-08T14:26:28Z +{{ObjectProperty | labels = -{{label|en|urban area}} -{{label|de|Stadtgebiet}} -{{label|sr|урбано подручје}} + {{label|en|wilaya}} + {{label|sr|вилајет}} | rdfs:domain = Settlement -| rdfs:range = xsd:string -}}OntologyProperty:UsOpenDouble2027725500732016-01-04T12:34:55Z{{DatatypeProperty +| rdfs:range = Place +| rdfs:subPropertyOf = dul:hasLocation +}}OntologyProperty:WimbledonDouble2027724500782016-01-04T12:40:41Z{{DatatypeProperty | labels = -{{label|en|us open double}} -{{label|sr|US Open дубл}} +{{label|en|wimbledon double}} +{{label|sr|вимблдон дубл}} | rdfs:domain = TennisPlayer | rdfs:range = xsd:string -}}OntologyProperty:UsOpenMixed2027729500742016-01-04T12:35:50Z{{DatatypeProperty +}}OntologyProperty:WimbledonMixed2027728500792016-01-04T12:42:47Z{{DatatypeProperty | labels = -{{label|en|us open mixed}} -{{label|sr|US Open микс дубл}} +{{label|en|wimbledon mixed}} +{{label|sr|вимблдон микс дубл}} | rdfs:domain = TennisPlayer | rdfs:range = xsd:string -}}OntologyProperty:UsOpenSingle2027721500892016-01-04T12:50:44Z{{DatatypeProperty +}}OntologyProperty:WimbledonSingle2027720500802016-01-04T12:43:15Z{{DatatypeProperty | labels = -{{label|en|us open single}} -{{label|sr|US Open појединачно}} +{{label|en|wimbledon single}} +{{label|sr|вимблдон појединачно}} | rdfs:domain = TennisPlayer | rdfs:range = xsd:string -}}OntologyProperty:UsSales2021551509672016-04-26T14:45:15Z{{DatatypeProperty -| rdfs:label@en = US sales -| rdfs:label@de = US-Verkäufe -| rdfs:label@sr = продаја у САД -| rdfs:domain = Sales +}}OntologyProperty:WineProduced2021579366602014-07-08T14:26:31Z +{{ObjectProperty +| rdfs:label@en = wine produced +| rdfs:label@sr = производи вино +| rdfs:domain = WineRegion +| rdfs:subPropertyOf = dul:isLocationOf +}}OntologyProperty:WineRegion2021580366612014-07-08T14:26:34Z +{{ObjectProperty +| rdfs:label@en = wine region +| rdfs:label@de = Weinregion +| rdfs:label@sr = регион вина +| rdfs:domain = Grape +| rdfs:range = WineRegion +| rdfs:subPropertyOf = dul:hasLocation +}}OntologyProperty:WineYear2021581344332014-04-08T13:46:56Z{{DatatypeProperty +| rdfs:label@en = wine year +| rdfs:label@de = Weinjahr +| rdfs:label@sr = година флаширања вина +| rdfs:domain = WineRegion +| rdfs:range = xsd:date +}}OntologyProperty:WingArea2025630344342014-04-08T13:47:00Z{{ DatatypeProperty + + | rdfs:label@en = wing area +| rdfs:label@de = Flügelfläche + | rdfs:label@sr = површина крила + | rdfs:domain = Aircraft + | rdfs:range = Area + +}}OntologyProperty:Wingspan2025627344352014-04-08T13:47:04Z{{ DatatypeProperty + + | rdfs:label@en = wingspan +| rdfs:label@de = Spannweite + | rdfs:label@sr = распон крила + | rdfs:domain = Aircraft + | rdfs:range = Length + +}}OntologyProperty:Wins2021582524602017-10-15T21:26:46Z{{DatatypeProperty +| labels = +{{label|en|wins}} +{{label|de|Siege}} +{{label|sr|победе}} +{{label|el|νίκες}} +{{label|nl|zeges}} +| rdfs:domain = owl:Thing | rdfs:range = xsd:nonNegativeInteger -| rdfs:comment@en = Number of things (eg vehicles) sold in the US -}}OntologyProperty:UsedInWar2021570366362014-07-08T14:25:01Z +}}OntologyProperty:WinsAtAlpg2022554366622014-07-08T14:26:37Z {{ObjectProperty -| rdfs:label@en = used in war -| rdfs:label@de = im Krieg eingesetzt -| rdfs:label@sr = коришћено у рату -| rdfs:domain = Weapon -| rdfs:range = MilitaryConflict -| rdfs:comment@en = wars that were typical for the usage of a weapon +| rdfs:label@en = wins at ALPG +| rdfs:label@sr = победе на ALPG +| rdfs:domain = GolfPlayer | rdfs:subPropertyOf = dul:isParticipantIn -}}OntologyProperty:Uses2026801366372014-07-08T14:25:05Z +}}OntologyProperty:WinsAtAsia2022555366632014-07-08T14:26:41Z {{ObjectProperty -| rdfs:label@en = uses -| rdfs:label@sr = користи -| rdfs:domain = owl:Thing -| rdfs:range = owl:Thing +| rdfs:label@en = wins at ASIA +| rdfs:domain = GolfPlayer | rdfs:subPropertyOf = dul:isParticipantIn -}}OntologyProperty:UsingCountry2021550366382014-07-08T14:25:10Z +}}OntologyProperty:WinsAtAus2022557366642014-07-08T14:26:44Z {{ObjectProperty -| rdfs:label@en = using country -| rdfs:domain = Currency -| rdfs:range = Country -| rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:Usk2026413344022014-04-08T13:44:02Z{{DatatypeProperty -| labels = -{{label|en|approved rating of the Entertainment Software Self-Regulation Body in Germany}} -{{label|de|zugelassene Bewertung der Unterhaltungssoftware Selbstkontrolle in Deutschland}} -{{label|sr|одобрени рејтинг од стране регулаторног тела за забавни софтвер у Немачкој }} -| rdfs:domain = owl:Thing -| rdfs:range = xsd:integer -}}OntologyProperty:UsopenWins2027647306062014-01-22T07:56:21Z{{ObjectProperty -| labels = -{{label|en|usopen wins}} -{{label|sr|победе на US Open-у}} -| rdfs:domain = Person -| rdfs:range = skos:Concept -}}OntologyProperty:Usurper2027636305752014-01-22T07:15:48Z{{ObjectProperty -| labels = -{{label|en|usurper}} -{{label|sr|узурпатор}} -| rdfs:domain = Person -| rdfs:range = Person -}}OntologyProperty:UtcOffset2024200305742014-01-22T07:10:27Z{{DatatypeProperty -| rdfs:label@en = UTC offset -| rdfs:label@sr = UTC офсет -| rdfs:domain = Place -| rdfs:range = xsd:string -| rdfs:comment = The UTC offset is the time offset from Coordinated Universal Time (UTC). It is mostly given as hour or hour and minute. -| rdfs:comment = UTC офсет је временски офсет који се мери од Универзалне временске координате. Најчешће се приказује у сатима и минутима. -}}OntologyProperty:V hb2026156207212012-12-23T12:34:42Z{{DatatypeProperty -| rdfs:label@en = V_hb -| rdfs:domain = Globularswarm -| rdfs:range = xsd:integer -}}OntologyProperty:Value2027907510912016-05-14T15:28:09Z{{DatatypeProperty -| labels = -{{label|en|value}} -{{label|de|Wert}} -{{label|fr|valeur}} -{{label|sr|вредност}} -| rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:Valvetrain2021552510642016-05-11T08:50:34Z -{{DatatypeProperty -| rdfs:label@en = valvetrain -| rdfs:label@de = Ventilsteuerung -| rdfs:label@fr = distribution (moteur) -| rdfs:domain = AutomobileEngine -| rdfs:range = valvetrain -| rdfs:subPropertyOf = <!-- dul:hasComponent -- defined as object property, see https://github.com/dbpedia/ontology-tracker/issues/9 --> -}}OntologyProperty:VaporPressure20211849528032018-02-07T19:33:00Z{{DatatypeProperty -| labels = -{{label|en|vapor pressure}} -{{label|nl|dampdruk}} -| rdfs:domain = ChemicalSubstance -| rdfs:range = hectopascal -}}OntologyProperty:VariantOf2021554366402014-07-08T14:25:18Z +| rdfs:label@en = wins at AUS +| rdfs:domain = GolfPlayer +| rdfs:subPropertyOf = dul:isParticipantIn +}}OntologyProperty:WinsAtChallenges2022559366652014-07-08T14:26:47Z {{ObjectProperty -| labels = - {{label|en|variant or variation}} - {{label|de|Variante oder Variation}} - {{label|sr|варијанта}} - {{label|nl|variant}} -| rdfs:comment@en = variant or variation of something, for example the variant of a car -| rdfs:subPropertyOf = dul:sameSettingAs -}} -варијантаOntologyProperty:Varietals2021555366412014-07-08T14:25:30Z +| rdfs:label@en = wins at challenges +| rdfs:domain = GolfPlayer +| rdfs:subPropertyOf = dul:isParticipantIn +}}OntologyProperty:WinsAtChampionships2022560366662014-07-08T14:26:50Z {{ObjectProperty -| rdfs:label@en = varietals -| rdfs:label@de = Rebsorten -| rdfs:domain = WineRegion -| rdfs:subPropertyOf = dul:isLocationOf -}}OntologyProperty:Vehicle2021556366422014-07-08T14:25:33Z +| rdfs:label@en = wins at championships +| rdfs:domain = GolfPlayer +| rdfs:subPropertyOf = dul:isParticipantIn +}}OntologyProperty:WinsAtJLPGA2022563366672014-07-08T14:26:54Z {{ObjectProperty -| rdfs:label@en = vehicle -| rdfs:label@sr = возило -| rdfs:label@el = όχημα -| rdfs:label@de = Vehikel -| rdfs:range = Automobile -| rdfs:comment@en = vehicle that uses a specific automobile platform -| rdfs:comment@el = όχημα που χρησιμοποιεί μια συγκεκριμένη πλατφόρμα αυτοκινήτων +| rdfs:label@en = wins at JLPGA +| rdfs:label@sr = победе на JLPGA +| rdfs:domain = GolfPlayer +| rdfs:subPropertyOf = dul:isParticipantIn +}}OntologyProperty:WinsAtJapan2022562366682014-07-08T14:26:57Z +{{ObjectProperty +| rdfs:label@en = wins at japan +| rdfs:domain = GolfPlayer +| rdfs:subPropertyOf = dul:isParticipantIn +}}OntologyProperty:WinsAtKLPGA2022564366692014-07-08T14:27:15Z +{{ObjectProperty +| rdfs:label@en = wins at KLPGA +| rdfs:label@sr = победе на KLPGA +| rdfs:domain = GolfPlayer +| rdfs:subPropertyOf = dul:isParticipantIn +}}OntologyProperty:WinsAtLAGT2022565366702014-07-08T14:27:18Z +{{ObjectProperty +| rdfs:label@en = wins at LAGT +| rdfs:label@sr = победе на LAGT +| rdfs:domain = GolfPlayer +| rdfs:subPropertyOf = dul:isParticipantIn +}}OntologyProperty:WinsAtLET2022566366712014-07-08T14:27:22Z +{{ObjectProperty +| rdfs:label@en = wins at LET +| rdfs:label@sr = победе на LET +| rdfs:domain = GolfPlayer +| rdfs:subPropertyOf = dul:isParticipantIn +}}OntologyProperty:WinsAtLPGA2022567366722014-07-08T14:27:26Z +{{ObjectProperty +| rdfs:label@en = wins at LPGA +| rdfs:label@sr = победе на LPGA +| rdfs:domain = GolfPlayer +| rdfs:subPropertyOf = dul:isParticipantIn +}}OntologyProperty:WinsAtMajors2022568366732014-07-08T14:27:29Z +{{ObjectProperty +| rdfs:label@en = wins at majors +| rdfs:domain = GolfPlayer +| rdfs:subPropertyOf = dul:isParticipantIn +}}OntologyProperty:WinsAtNWIDE2022569366742014-07-08T14:27:33Z +{{ObjectProperty +| rdfs:label@en = wins at NWIDE +| rdfs:label@sr = победе на NWIDE +| rdfs:domain = GolfPlayer +| rdfs:subPropertyOf = dul:isParticipantIn +}}OntologyProperty:WinsAtOtherTournaments2022570366752014-07-08T14:27:36Z +{{ObjectProperty +| rdfs:label@en = wins at other tournaments +| rdfs:label@sr = победе на осталим турнирима +| rdfs:domain = GolfPlayer +| rdfs:subPropertyOf = dul:isParticipantIn +}}OntologyProperty:WinsAtPGA2022571366762014-07-08T14:27:40Z +{{ObjectProperty +| rdfs:label@en = wins at pga +| rdfs:label@sr = победе на PGA +| rdfs:domain = GolfPlayer +| rdfs:subPropertyOf = dul:isParticipantIn +}}OntologyProperty:WinsAtProTournaments2022572366772014-07-08T14:27:42Z +{{ObjectProperty +| rdfs:label@en = wins at pro tournaments +| rdfs:label@sr = победе на професионалним турнирима +| rdfs:domain = GolfPlayer +| rdfs:subPropertyOf = dul:isParticipantIn +}}OntologyProperty:WinsAtSenEuro2022573366782014-07-08T14:27:46Z +{{ObjectProperty +| rdfs:label@en = wins at Senior Euro +| rdfs:domain = GolfPlayer +| rdfs:subPropertyOf = dul:isParticipantIn +}}OntologyProperty:WinsAtSun2022574366792014-07-08T14:27:49Z +{{ObjectProperty +| rdfs:label@en = wins at sun +| rdfs:label@sr = победе на SUN +| rdfs:domain = GolfPlayer +| rdfs:subPropertyOf = dul:isParticipantIn +}}OntologyProperty:WinsInEurope2022561366802014-07-08T14:27:52Z +{{ObjectProperty +| rdfs:label@en = wins in Europe +| rdfs:label@sr = победе у Европи +| rdfs:label@de = Siege in Europa +| rdfs:domain = GolfPlayer +| rdfs:subPropertyOf = dul:isParticipantIn +}}OntologyProperty:WinterAppearances2021583366812014-07-08T14:27:55Z +{{ObjectProperty +| rdfs:label@en = winter appearances +| rdfs:label@sr = зимски наступи +| rdfs:domain = OlympicResult +| rdfs:range = OlympicResult | rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:VehicleCode2022437305562014-01-21T15:10:56Z{{DatatypeProperty +}}OntologyProperty:WinterTemperature2021584344372014-04-08T13:47:14Z{{DatatypeProperty +| rdfs:label@en = winter temperature +| rdfs:label@de = Wintertemperatur +| rdfs:label@sr = зимска температура +| rdfs:domain = Settlement +| rdfs:range = Temperature +}}OntologyProperty:WoRMS20210349567962022-02-28T21:40:05Z{{ObjectProperty | labels = -{{label|de|KFZ-Kennzeichen}} -{{label|en|vehicle code}} -{{label|sr|код возила}} -{{label|nl|voertuig code}} -| rdfs:comment@en = Region related vehicle code on the vehicle plates. -| rdfs:domain = Place +{{label|en|WoRMS}} +{{label|nl|WoRMS}} +{{label|fr|WoRMS}} +| comments = +{{comment|en|World Register of Marine Species}} +{{comment|fr|Registre mondial des espèces marines}} +| rdfs:domain = Species +}}OntologyProperty:WordBefore2027113303862014-01-21T10:56:51Z{{DatatypeProperty +| labels = +{{label|en|word before the country}} +{{label|sr|реч пре државе}} +| rdfs:domain = Country | rdfs:range = xsd:string -}}OntologyProperty:VehiclesInFleet20211894522572017-10-08T10:03:30Z{{ObjectProperty +}}OntologyProperty:Work2026812344382014-04-08T13:47:19Z{{DatatypeProperty | labels = - {{label|en|vehicle types in fleet}} - {{label|de|Fahrzeugtypen der Flotte}} -| rdfs:domain = PublicTransitSystem -| rdfs:range = MeanOfTransportation -| comments = -{{comment|en|Points out means of transport contained in the companies vehicle fleet.}} -}}OntologyProperty:VehiclesPerDay2023429306152014-01-22T08:09:54Z{{DatatypeProperty -| rdfs:label@en = vehicles per day -| rdfs:label@sr = број возила по дану -| rdfs:label@de = Fahrzeuge pro Tag -| rdfs:domain= RouteOfTransportation -| rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:Vein2021557366432014-07-08T14:25:35Z -{{ObjectProperty -| rdfs:label@en = vein -| rdfs:label@de = Vene -| rdfs:label@sr = вена -| rdfs:domain = AnatomicalStructure -| rdfs:range = Vein -| rdfs:subPropertyOf = dul:hasCommonBoundary -}}OntologyProperty:VeneratedIn2021558366442014-07-08T14:25:39Z -{{ObjectProperty +{{label|en|work}} +{{label|de|Arbeit}} +| rdfs:domain = FictionalCharacter +| rdfs:range = xsd:string +}}OntologyProperty:WorkArea2026430303762014-01-21T10:49:21Z{{DatatypeProperty | labels = - {{label|en|venerated in}} - {{label|sr|поштован у}} - {{label|nl|vereerd in}} -| rdfs:domain = Saint -| rdfs:range = Organisation -| rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:Version2029133316822014-02-10T17:26:28Z{{ObjectProperty -| rdfs:label@en = version -| rdfs:label@de = Version -| rdfs:label@nl = versie -| rdfs:domain = MeanOfTransportation -}}OntologyProperty:ViafId2028417528892018-02-13T11:02:59Z{{DatatypeProperty +{{label|en|work area}} +{{label|sr|радни простор}} +{{label|de|Arbeitsplätze}} +| rdfs:domain = Building +| rdfs:range = Area +}}OntologyProperty:World2027765570302022-03-09T13:47:52Z{{ObjectProperty | labels = -{{label|en|VIAF Id}} -{{label|sr|VIAF Id}} -{{label|nl|VIAF code}} +{{label|en|world}} +{{label|fr|monde}} +{{label|de|Welt}} +{{label|sr|свет}} +| rdfs:domain = Person +| rdfs:range = skos:Concept +}}OntologyProperty:WorldChampionTitleYear2023542303742014-01-21T10:44:32Z{{DatatypeProperty +| labels = + {{label|en|year of world champion title}} + {{label|sr|година освајања светског шампионата}} + {{label|nl|jaar van wereldkampioen titel}} + {{label|fr|année d'obtention du titre de champion du monde}} | comments = -{{comment|en|Virtual International Authority File ID (operated by Online Computer Library Center, OCLC). Property range set to Agent because of corporate authors }} + {{comment|en|can be one or several years}} + {{comment|sr|може бити једна или више година}} + {{comment|fr|il peut s'agir d'une ou de plusieurs années}} +| rdfs:domain = Athlete | rdfs:range = xsd:string -| owl:equivalentProperty = wikidata:P214 -| rdfs:subPropertyOf = code -}}OntologyProperty:ViceChancellor2021559366452014-07-08T14:25:42Z -{{ObjectProperty -| rdfs:label@en = vice chancellor -| rdfs:label@sr = потканцелар -| rdfs:label@de = Vizekanzler -| rdfs:range = Person -| rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:ViceLeader2023355366462014-07-08T14:25:45Z -{{ObjectProperty -| rdfs:label@en = vice leader -| rdfs:label@pt = vicelider -| rdfs:domain = PopulatedPlace -| rdfs:range = Person -| rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:ViceLeaderParty2023356366472014-07-08T14:25:49Z -{{ObjectProperty -| rdfs:label@en = vice leader party -| rdfs:label@de = stellvertretender Parteivorsitzende -| rdfs:label@pt = partido do vicelider -| rdfs:domain = PopulatedPlace -| rdfs:range = PoliticalParty -| rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:VicePresident2022344366482014-07-08T14:25:52Z -{{ObjectProperty -| rdfs:label@en = vice president -| rdfs:label@sr = потпредседник -| rdfs:label@de = Vizepräsident -| rdfs:range = Person -| rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:VicePrimeMinister2022345366492014-07-08T14:25:56Z -{{ObjectProperty +}}OntologyProperty:WorldOpen2028050303702014-01-21T10:40:39Z{{DatatypeProperty | labels = - {{label|en|vice prime minister}} - {{label|de|Vizeministerpräsident}} - {{label|sr|заменик премијера}} - {{label|nl|vice premier}} -| rdfs:range = Person -| rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:VicePrincipal2021561366502014-07-08T14:26:00Z -{{ObjectProperty -| rdfs:label@en = vice principal -| rdfs:label@sr = заменик директора -| rdfs:domain = School -| rdfs:range = Person -| rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:VicePrincipalLabel2023117366512014-07-08T14:26:04Z -{{ObjectProperty -| rdfs:label@en = vice principal label -| rdfs:domain = School -| rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:Victim2028030512392016-06-09T10:16:20Z{{ObjectProperty -| labels = -{{label|en|victim (resource)}} -{{label|de|das Opfer (resource)}} -{{label|sr|жртва (resource)}} -| rdfs:domain = owl:Thing -| rdfs:range = owl:Thing -| rdfs:comment@en = Specific (eg notable) person, or specific class of people (eg Romani) that are victim of a ConcentrationCamp, Criminal, SerialKiller, or some other atrocity -}}OntologyProperty:Victims20211700512372016-06-09T10:03:39Z{{DatatypeProperty -| labels = -{{label|en|victims (string)}} -{{label|de|die Opfer (string)}} -{{label|sr|жртви (string)}} -| rdfs:domain = owl:Thing +{{label|en|world open}} +{{label|sr|светско отворено првенство}} +| rdfs:domain = Athlete | rdfs:range = xsd:string -| rdfs:comment@en = Type, description, or name(s) of victims of a ConcentrationCamp, Criminal, SerialKiller, or some other atrocity -}}OntologyProperty:Victory2027586344112014-04-08T13:44:39Z{{DatatypeProperty +}}OntologyProperty:WorldTeamCup2027741303672014-01-21T10:37:27Z{{DatatypeProperty | labels = -{{label|en|victory}} -{{label|de|Sieg}} -{{label|sr|победа}} +{{label|en|world team cup}} +{{label|sr|светско клупско првенство}} +| rdfs:domain = Athlete +| rdfs:range = xsd:string +}}OntologyProperty:WorldTournament2027567344402014-04-08T13:47:27Z{{ObjectProperty +| labels = +{{label|en|world tournament}} +{{label|de|Weltturnier}} +{{label|sr|светски турнир}} +| rdfs:range = Tournament +| rdfs:domain = Person +}}OntologyProperty:WorldTournamentBronze2027575303602014-01-21T10:31:26Z{{DatatypeProperty +| labels = +{{label|en|world tournament bronze}} +{{label|sr|број бронзаних медаља са светских турнира}} | rdfs:domain = Person | rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:VictoryAsMgr2027661269202013-07-03T12:23:46Z{{DatatypeProperty +}}OntologyProperty:WorldTournamentGold2027573307022014-01-22T10:41:42Z{{DatatypeProperty | labels = -{{label|en|victory as manager}} +{{label|en|world tournament gold}} +{{label|sr|број златних медаља са светских турнира}} | rdfs:domain = Person | rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:VictoryPercentageAsMgr2027663305352014-01-21T14:53:15Z{{DatatypeProperty +}}OntologyProperty:WorldTournamentSilver2027574303552014-01-21T10:27:30Z{{DatatypeProperty | labels = -{{label|en|victory percentage as manager}} -{{label|sr|проценат победа на месту менаџера}} +{{label|en|world tournament silver}} +{{label|sr|број сребрних медаља са светских турнира}} | rdfs:domain = Person -| rdfs:range = xsd:double -}}OntologyProperty:VirtualChannel2023182306282014-01-22T08:21:33Z{{DatatypeProperty -| rdfs:label@en = virtual channel -| rdfs:label@sr = виртуелни канал -| rdfs:label@el = εικονικό κανάλι -| rdfs:domain = Broadcaster -| rdfs:range = xsd:string -}}OntologyProperty:VisitorStatisticsAsOf2023239306322014-01-22T08:26:51Z{{DatatypeProperty -| rdfs:label@en = visitor statistics as of -| rdfs:label@sr = статистика посетилаца од -| rdfs:domain = ArchitecturalStructure -| rdfs:range = xsd:gYear -| rdfs:comment@en = Year visitor information was gathered. -}}OntologyProperty:VisitorsPerDay2023451305292014-01-21T14:47:28Z{{DatatypeProperty -| rdfs:label@en = visitors per day -| rdfs:label@sr= број посетилаца по дану -| rdfs:label@de = Besucher pro Tag -| rdfs:domain = ArchitecturalStructure | rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:VisitorsPerYear2021565305282014-01-21T14:46:14Z{{DatatypeProperty +}}OntologyProperty:WorstDefeat2021585344502014-04-08T14:33:01Z{{DatatypeProperty +| rdfs:label@en = worst defeat +| rdfs:label@de = höchste Niederlage +| rdfs:label@sr = најтежи пораз +| rdfs:domain = SoccerClub +| rdfs:range = xsd:string +}}OntologyProperty:WptFinalTable2028041307042014-01-22T10:42:25Z{{DatatypeProperty | labels = -{{label|en|visitors per year}} -{{label|sr|годишњи број посетилаца}} -{{label|nl|bezoekers per jaar}} -{{label|de|Besucher pro Jahr}} -| rdfs:domain = ArchitecturalStructure +{{label|en|wpt final table}} +{{label|sr|WPT финале}} +| rdfs:domain = PokerPlayer | rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:VisitorsPercentageChange2023250305252014-01-21T14:45:07Z{{DatatypeProperty -| rdfs:label@en = visitor percentage change -| rdfs:label@sr= промена процента посетилаца -| rdfs:label@de = prozentuale Veränderung der Besucherzahl -| rdfs:domain = ArchitecturalStructure -| rdfs:range = xsd:double -| rdfs:comment@en = Percentage increase or decrease. -}}OntologyProperty:VisitorsTotal2021566344122014-04-08T13:44:47Z{{DatatypeProperty -| rdfs:label@en = visitors total -| rdfs:label@de = Gesamtbesucher -| rdfs:label@sr= укупан број посетилаца -| rdfs:label@el = επιβατική κίνηση -| rdfs:domain = ArchitecturalStructure +}}OntologyProperty:WptItm2028042303482014-01-21T10:22:39Z{{DatatypeProperty +| labels = +{{label|en|wpt itm}} +{{label|sr|WPT ITM}} +| rdfs:domain = PokerPlayer | rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:Voice2021567486212015-08-06T12:43:09Z{{ObjectProperty -| rdfs:label@en = voice -| rdfs:label@de = Stimme -| rdfs:label@sr = глас -| rdfs:comment@en = Voice artist used in a TelevisionShow, Movie, or to sound the voice of a FictionalCharacter +}}OntologyProperty:WptTitle2028040303462014-01-21T10:19:40Z{{DatatypeProperty +| labels = +{{label|en|wpt title}} +{{label|sr|WPT титула}} +| rdfs:domain = PokerPlayer +| rdfs:range = xsd:string +}}OntologyProperty:Writer2021586570492022-03-09T16:05:19Z{{ObjectProperty +| labels = + {{label|en|writer}} + {{label|en|auteur}} + {{label|sr|писац}} + {{label|de|schriftsteller}} + {{label|it|scrittore}} + {{label|nl|schrijver}} + {{label|el|σεναριογράφος}} +| rdfs:domain = Work | rdfs:range = Person -| rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:VoiceType2021568366532014-07-08T14:26:09Z -{{ObjectProperty +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:WsopItm2028036303422014-01-21T10:17:02Z{{DatatypeProperty | labels = - {{label|en|voice type}} - {{label|de|Stimmlage}} - {{label|sr|тип гласа}} - {{label|nl|stemtype}} -| rdfs:domain = Artist -| rdfs:comment@en = voice type of a singer or an actor -| rdfs:subPropertyOf = dul:isClassifiedBy -}}OntologyProperty:VolcanicActivity2027061344152014-04-08T13:45:03Z{{DatatypeProperty +{{label|en|wsop itm}} +{{label|sr|WSOP ITM}} +| rdfs:domain = PokerPlayer +| rdfs:range = xsd:nonNegativeInteger +}}OntologyProperty:WsopWinYear2028039307062014-01-22T10:43:36Z{{DatatypeProperty | labels = -{{label|en|volcanic activity}} -{{label|de|vulkanische Aktivität}} -{{label|sr|вулканска активност}} -| rdfs:domain = Island -| rdfs:range = xsd:string -}}OntologyProperty:VolcanicType2027060344162014-04-08T13:45:07Z{{DatatypeProperty +{{label|en|wsop win year}} +{{label|sr|година освајања WSOP-а}} +| rdfs:domain = PokerPlayer +| rdfs:range = xsd:gYear +}}OntologyProperty:WsopWristband2028035303402014-01-21T10:02:59Z{{DatatypeProperty | labels = -{{label|en|volcanic type}} -{{label|de|Vulkantyp}} -{{label|sr|тип вулкана}} -| rdfs:domain = Island -| rdfs:range = xsd:string -}}OntologyProperty:VolcanoId2027063306362014-01-22T08:29:56Z{{DatatypeProperty +{{label|en|wsop wristband}} +{{label|sr|WSOP наруквица}} +| rdfs:domain = PokerPlayer +| rdfs:range = xsd:nonNegativeInteger +| rdfs:comment@sr = Наруквица коју осваја шампион WSOP-a. +}}OntologyProperty:Year2021587538062020-12-01T18:00:52Z{{DatatypeProperty | labels = -{{label|en|volcano id}} -{{label|sr|id вулкана}} -| rdfs:domain = Island -| rdfs:range = xsd:string -}}OntologyProperty:VoltageOfElectrification2023592306372014-01-22T08:30:37Z{{DatatypeProperty -| rdfs:label@en = voltage of electrification -| rdfs:label@de = Voltzahl der Elektrifizierung -| rdfs:domain = RouteOfTransportation -| rdfs:range = Voltage -| rdfs:comment@en = Voltage of the electrification system. -}}OntologyProperty:Volume2021569344172014-04-08T13:45:11Z{{DatatypeProperty +{{label|en|year}} +{{label|sr|година}} +{{label|de|Jahr}} +{{label|it|anno}} +{{label|es|año}} +{{label|nl|jaar}} +{{label|el|έτος}} +{{label|fr|année}} +| rdfs:range = xsd:gYear +| owl:equivalentProperty=wikidata:P2257 +}}OntologyProperty:YearElevationIntoNobility2029289344422014-04-08T13:47:34Z{{DatatypeProperty | labels = -{{label|en|volume}} -{{label|de|Volumen}} -{{label|sr|запремина}} -{{label|nl|volume}} -{{label|el|όγκος}} -{{label|fr|volume}} -| rdfs:range = Volume -}}OntologyProperty:VolumeQuote2027095256192013-05-26T13:35:04Z{{DatatypeProperty +{{label|en|year of elevation into the nobility}} +{{label|de|Jahr der Erhebung in den Adelsstand}} +{{label|nl|jaar van verheffing in de adelstand}} +| rdfs:domain = NobleFamily +| rdfs:range = xsd:string +}}OntologyProperty:YearOfConstruction2023221537182020-09-06T12:42:45Z{{DatatypeProperty | labels = -{{label|en|volume quote}} +{{label|en|year of construction}} +{{label|sr|година изградње}} +{{label|nl|bouwjaar}} +{{label|de|Baujahr}} +{{label|el|έτος κατασκευής}} | rdfs:domain = Place -| rdfs:range = xsd:string -}}OntologyProperty:Volumes2025989366542014-07-08T14:26:13Z -{{ObjectProperty +| rdfs:range = xsd:gYear +| rdfs:comment@en = The year in which construction of the Place was finished. +| rdfs:comment@sr = Година када је изградња нечега завршена. +| rdfs:comment@el = Το έτος στο οποίο ολοκληρώθηκε η κατασκευή ενός μέρους. +| owl:equivalentProperty = bag:oorspronkelijkBouwjaar +}}OntologyProperty:YearOfElectrification2023245303252014-01-21T09:51:21Z{{DatatypeProperty +| rdfs:label@en = year of electrification +| rdfs:label@sr = година електрификације +| rdfs:label@de = Jahr der Elektrifizierung +| rdfs:domain = Station +| rdfs:range = xsd:gYear +| rdfs:comment@en = Year station was electrified, if not previously at date of opening. +| rdfs:comment@sr = Година када је станица електрифицирана, уколико није била при отварању. +}}OntologyProperty:Years2021588514382016-08-16T07:30:44Z{{DatatypeProperty | labels = - {{label|en|volumes}} - {{label|sr|томови}} - {{label|nl|delen}} -| rdfs:domain = MultiVolumePublication -| rdfs:range = WrittenWork -| rdfs:comment@en = -| rdfs:subPropertyOf = dul:hasMember -}}OntologyProperty:VonKlitzingConstant2029120458452015-03-14T20:09:45Z{{DatatypeProperty +{{label|en|years}} +{{label|el|χρόνια}} +{{label|de|Jahre}} +{{label|sr|сезона}} +{{label|nl|seizoen}} +{{label|ja|年}} +| rdfs:domain = SoccerPlayer +| rdfs:range = xsd:gYear +}}OntologyProperty:YouthClub2021589514392016-08-16T07:31:49Z +{{ObjectProperty | labels = -{{label|en|von Klitzing electromagnetic constant (RK)}} -{{label|de|von Klitzing elektromagnetisch Konstant (RK)}} -| rdfs:domain = CelestialBody -| rdfs:range = xsd:double -}}OntologyProperty:VotesAgainst2029130344182014-04-08T13:45:16Z{{DatatypeProperty -| rdfs:label@en = Votes against the resolution -| rdfs:label@de = Stimmen gegen die Resolution -| rdfs:label@nl = Aantal stemmen tegen -| rdfs:domain = StatedResolution -| rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:VotesFor2029131344192014-04-08T13:45:20Z{{DatatypeProperty -| rdfs:label@en = Number of votes in favour of the resolution -| rdfs:label@de = Anzahl der Stimmen für die Resolution -| rdfs:label@nl = Aantal stemmen voor -| rdfs:domain = StatedResolution -| rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:Wagon20211442495222015-11-14T14:52:00Z{{ObjectProperty -| rdfs:label@en = train carriage -| rdfs:label@nl = wagon -| rdfs:domain = Train -| rdfs:range = TrainCarriage -}}OntologyProperty:WaistSize2022411433142015-02-06T12:17:27Z{{DatatypeProperty - |rdfs:label@en=waist size - |rdfs:label@sr=димензије струка - |rdfs:label@de=Taillenumfang - |rdfs:label@ja=ウエスト - |rdfs:label@bg=размер талия - |rdfs:domain=Person - |rdfs:range=Length -}}OntologyProperty:War2025659344202014-04-08T13:45:24Z{{ DatatypeProperty -| labels = - {{label|en|wars}} -{{label|de|Kriege}} - {{label|sr|ратови}} - {{label|el|πολέμους}} - - | rdfs:domain = MilitaryPerson - | rdfs:range = xsd:string - -}}OntologyProperty:Ward2026963306392014-01-22T08:35:07Z{{DatatypeProperty + {{label|en|youth club}} + {{label|de|Jugendclub}} + {{label|sr|омладински клуб}} + {{label|nl|jeugdclub}} + {{label|ja|ユースクラブ}} +| rdfs:domain = Athlete +| rdfs:range = SportsTeam +| rdfs:subPropertyOf = dul:isMemberOf +}}OntologyProperty:YouthWing2023346366842014-07-08T14:28:05Z +{{ObjectProperty +| rdfs:label@en = youth wing +| rdfs:label@sr = омладинско крило +| rdfs:label@pt = ala jovem +| rdfs:domain = PoliticalParty +| rdfs:subPropertyOf = dul:hasPart +}}OntologyProperty:YouthYears2021590514432016-08-16T07:36:12Z{{DatatypeProperty +| rdfs:label@en = youth years +| rdfs:label@de = Jugendjahre +| rdfs:label@sr = омладинске године +| rdfs:label@ja = ユース年 +| rdfs:domain = SoccerPlayer +| rdfs:range = xsd:gYear +}}OntologyProperty:Zdb2025093303112014-01-21T09:26:54Z{{DatatypeProperty + |rdfs:label@en=zdb + |rdfs:label@sr=zdb + |rdfs:comment@en=Identifier for serial titles. More precise than issn + |rdfs:comment@sr=zdb је серијски број који се користи за индетификацију. Прецизнији је од issn. + |rdfs:domain=PeriodicalLiterature + |rdfs:range= xsd:string +}}OntologyProperty:ZipCode2027289527812018-01-23T15:05:06Z{{DatatypeProperty | labels = -{{label|en|ward of a liechtenstein settlement}} -| rdfs:domain = LiechtensteinSettlement +{{label|sr|Поштански код}} +{{label|en|zip code}} +{{label|el|ταχυδρομικός κώδικας}} +{{label|de| Postleitzahl}} +{{label|gl|código postal}} +{{label|nl|postcode}} +| rdfs:domain = PopulatedPlace | rdfs:range = xsd:string -}} -штићеник од Лихтенштајна насељаOntologyProperty:Water2027146344212014-04-08T13:45:28Z{{DatatypeProperty +| rdfs:subPropertyOf = postalCode +| rdf:type =owl:FunctionalProperty +| owl:equivalentProperty = wikidata:P281 +}}OntologyProperty:ZodiacSign20210476488522015-09-08T18:06:20Z{{ObjectProperty +| rdfs:label@en = zodiac sign +| rdfs:label@gl = signo zodiacal +| rdfs:label@bg = зодия +| rdfs:comment@en = Zodiac Sign. Applies to persons, planets, etc +| rdfs:comment@bg = Зодиакален знак. Приложимо за хора, планети и пр +}}OntologyProperty:آب گیری اقتباس کا علاقہ20214254590692022-06-21T18:42:37Z{{DatatypeProperty | labels = -{{label|en|water}} -{{label|de|Wasser}} -{{label|sr|вода}} -| rdfs:domain = Place +{{label|ur|آب گیری اقتباس کا علاقہ}} +| rdfs:domain = جگہ | rdfs:range = xsd:string -}}OntologyProperty:WaterArea2027039305052014-01-21T14:10:57Z{{DatatypeProperty +}}OntologyProperty:آبادیاتی20214194589362022-06-20T17:17:23Z{{DatatypeProperty | labels = -{{label|en|area of water}} -{{label|sr|површина воде}} -| rdfs:domain = Place -| rdfs:range = Area -| owl:equivalentProperty = area -}}OntologyProperty:WaterPercentage2027040344222014-04-08T13:45:32Z{{DatatypeProperty + +{{label|ur|آبادیاتی}} + +| rdfs:domain =آبادی والی جگہ +| rdfs:range = xsd:date + + +}}OntologyProperty:آخری تازہ کاری کی تاریخ20214152588312022-06-20T11:52:57Z{{DatatypeProperty +| rdfs:domain = دستاویز +| rdfs:range = xsd:date | labels = -{{label|en|water percentage of a place}} -{{label|de|Wasseranteil von einem Ort}} -{{label|sr|проценат воде неког места}} -| rdfs:domain = Place -| rdfs:range = xsd:float -}}OntologyProperty:Watercourse2027279344232014-04-08T13:45:36Z{{DatatypeProperty + + + {{label|ur|آخری تازہ کاری کی تاریخ}} + + +}}OntologyProperty:آسٹریلیا اوپن ڈبل20214242590442022-06-21T17:44:35Z{{DatatypeProperty | labels = -{{label|en|watercourse}} -{{label|de|Wasserlauf}} -{{label|sr|водоток}} -| rdfs:domain = PopulatedPlace +{{label|ur|آسٹریلیا اوپن ڈبل}} +| rdfs:domain = ٹینس کا کھلاڑی | rdfs:range = xsd:string -}}OntologyProperty:Watershed2021571344242014-04-08T13:45:45Z{{DatatypeProperty +}}OntologyProperty:ابی چرچ کی برکت20214197589442022-06-20T17:41:47Z{{DatatypeProperty +| rdfs:label@en = abbey church blessing | labels = -{{label|en|watershed}} -{{label|de|Wasserscheide}} -{{label|nl|waterscheiding}} -{{label|es|cuenca hidrográfica}} -{{label|el|λεκάνη_απορροής}} -| rdfs:domain = Stream -| rdfs:range = Area -}}OntologyProperty:WaterwayThroughTunnel2023432366552014-07-08T14:26:16Z -{{ObjectProperty -| rdfs:label@en = waterway through tunnel -| rdfs:label@sr = пловни пут кроз тунел -| rdfs:label@de = Wasserweg durch Tunnel -| rdfs:domain = WaterwayTunnel -| rdfs:range = owl:Thing -| rdfs:comment@en = Waterway that goes through the tunnel. -| rdfs:subPropertyOf = dul:hasCommonBoundary -}}OntologyProperty:Wavelength2022192344252014-04-08T13:45:54Z{{DatatypeProperty -| rdfs:label@en = wavelength -| rdfs:label@de = Wellenlänge -| rdfs:label@sr= таласна дужина -| rdfs:label@fr = longueur d'onde -| rdfs:range = Length -| rdfs:domain = Colour -}}OntologyProperty:Weapon2026817528672018-02-13T10:28:11Z{{ObjectProperty +{{label|ur|ابی چرچ کی برکت}} +| rdfs:domain = پادری +| rdfs:range = xsd:string +}}OntologyProperty:اثاثے20214248590572022-06-21T18:09:36Z{{DatatypeProperty +| labels = +{{label|ur|اثاثے}} +| rdfs:domain = تِجارتی اِدارہ +| rdfs:range = Currency +| comments = +{{comment|ur|اثاثے اور واجبات کمپنی کی بیلنس شیٹ کا حصہ ہیں۔ مالیاتی اکاؤنٹنگ میں، اثاثے اقتصادی وسائل ہیں۔ کوئی بھی ٹھوس یا غیر محسوس چیز جو قدر پیدا کرنے کے لیے ملکیت یا کنٹرول کرنے کے قابل ہو اور جس کی مثبت اقتصادی قدر ہو اسے اثاثہ سمجھا جاتا ہے۔}} +}}OntologyProperty:ادئیگی کی تاریخ20214193589342022-06-20T17:06:07Z{{DatatypeProperty | labels = -{{label|en|weapon}} -{{label|de|Waffe}} -{{label|sr|оружје}} -{{label|nl|wapen}} -{{label|fr|arme}} -| rdfs:domain = MilitaryConflict , Attack -| rdfs:range = Weapon -}}OntologyProperty:Webcast2023089366562014-07-08T14:26:19Z -{{ObjectProperty + +{{label|ur| ادئیگی کی تاریخ}} + |rdfs:range=xsd:date +}}OntologyProperty:الحاق20214230590202022-06-21T16:54:54Z{{DatatypeProperty | labels = - {{label|en|webcast}} - {{label|de|webcast}} - {{label|nl|webcast}} -| rdfs:domain = owl:Thing -| rdfs:range = owl:Thing -| rdfs:comment@en = The URL to the webcast of the Thing. -| rdfs:subPropertyOf = dul:isClassifiedBy -}}OntologyProperty:WebsiteLabel2026932348522014-05-15T05:20:03Z{{DatatypeProperty +{{label|ur|الحاق}} +| rdfs:domain = خیالی کردار +| rdfs:range = xsd:string +}}OntologyProperty:انتظامی اجتماعیت20214172588822022-06-20T14:23:18Z +{{ObjectProperty | labels = -{{label|en|label of a website}} -| rdfs:range = rdf:langString -}}OntologyProperty:WeddingParentsDate2023350304892014-01-21T13:56:06Z{{DatatypeProperty -|rdfs:label@en = Parents Wedding Date -|rdfs:label@sr = датум венчања родитеља -|rdfs:label@de = Hochzeitstag der Eltern -|rdfs:label@pt = data do casamento dos pais -|rdfs:domain = Person -|rdfs:range = xsd:date -}}OntologyProperty:Weight2021572527782018-01-23T15:03:37Z{{DatatypeProperty + {{label|en|administrative collectivity}} +{{label|ur|انتظامی اجتماعیت}} +| rdfs:domain = بستی +| rdfs:range = آبادی والی جگہ +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:انتظامی درجہ20214185589142022-06-20T16:08:18Z{{DatatypeProperty | labels = -{{label|en|weight}} -{{label|sr|тежина}} -{{label|fr|poids}} -{{label|nl|gewicht}} -{{label|da|vægt}} -{{label|de|Gewicht}} -{{label|pt|peso}} -{{label|el|βάρος}} -{{label|ja|体重}} -| rdfs:range = Mass -| rdf:type = owl:FunctionalProperty -| owl:equivalentProperty = wikidata:P2067 -}}OntologyProperty:WestPlace20211085455982015-03-08T14:11:57Z{{ObjectProperty -| rdfs:label@en = west place -| rdfs:label@fr = lieu à l'ouest -| rdfs:comment@fr = indique un autre lieu situé à l'ouest. -| rdfs:comment@en = indicates another place situated west. -| rdfs:domain = Place -| rdfs:range = Place -| owl:inverseOf = eastPlace -| rdfs:subPropertyOf = closeTo -}}OntologyProperty:WhaDraft2021574304822014-01-21T13:49:11Z{{DatatypeProperty -| rdfs:label@en = wha draft -| rdfs:label@sr = WHA драфт -| rdfs:domain = IceHockeyPlayer + +{{label|ur|انتظامی درجہ}} +{{label|en|administrative status}} | rdfs:range = xsd:string -}}OntologyProperty:WhaDraftTeam2021575366572014-07-08T14:26:22Z +}}OntologyProperty:انتظامی ضلع20214228590162022-06-21T16:51:39Z + {{ObjectProperty -| rdfs:label@en = wha draft team -| rdfs:label@sr = WHA тим који је драфтовао играча -| rdfs:domain = IceHockeyPlayer -| rdfs:range = HockeyTeam -| rdfs:subPropertyOf = dul:isMemberOf -}}OntologyProperty:WhaDraftYear2021576304802014-01-21T13:48:29Z{{DatatypeProperty -| rdfs:label@en = wha draft year -| rdfs:label@sr = WHA година драфта -| rdfs:domain = IceHockeyPlayer -| rdfs:range = xsd:date -}}OntologyProperty:Wheelbase2021577527792018-01-23T15:04:03Z{{DatatypeProperty -| rdfs:label@en = wheelbase -| rdfs:label@de = Radstand -| rdfs:label@sr= међуосовинско растојање -| rdfs:domain = Automobile -| rdfs:range = Length -| rdf:type = owl:FunctionalProperty -| owl:equivalentProperty = wikidata:P3039 -}}OntologyProperty:WholeArea2027942344302014-04-08T13:46:34Z{{ObjectProperty | labels = -{{label|en|whole area}} -{{label|de|gesamter Bereich}} -| rdfs:domain = Place -| rdfs:range = Area -}}OntologyProperty:Width2021578536762020-07-30T21:29:56Z{{DatatypeProperty +{{label|ur|انتظامی ضلع}} +| rdfs:domain = بستی +| rdfs:range = آبادی والی جگہ +| rdfs:subPropertyOf = http://www.ontologydesignpatterns.org/ont/dul/DUL.owl#isPartOf, dul:isPartOf +}}OntologyProperty:انعام20214221590022022-06-21T10:22:33Z{{ObjectProperty | labels = -{{label|en|width}} -{{label|es|ancho}} -{{label|sr|ширина}} -{{label|nl|breedte}} -{{label|de|Breite}} -{{label|el|πλάτος}} -| rdfs:range = Length + {{label|ur|انعام}} +| rdfs:range = انعام +| owl:equivalentProperty = schema:awards , wikidata:P166, rkd:Award +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:اوسط سالانہ پیداوار20214223590062022-06-21T10:38:13Z{{DatatypeProperty +|labels={{label|ur|اوسط سالانہ پیداوار}} +|comments={{comment|ur|اوسط سالانہ مجموعی بجلی کی پیداوار}} +| rdfs:domain = بجلی گھر +| rdfs:range = Energy | rdf:type = owl:FunctionalProperty -| owl:equivalentProperty = schema:width, wikidata:P2049 -}}OntologyProperty:WidthQuote2027089256132013-05-26T13:32:39Z{{DatatypeProperty +}}OntologyProperty:اوسط گہرائی اقتباس20214222590042022-06-21T10:28:00Z{{DatatypeProperty | labels = -{{label|en|width quote}} -| rdfs:domain = Place +{{label|ur|اوسط گہرائی اقتباس}} +| rdfs:domain = جگہ | rdfs:range = xsd:string -}}OntologyProperty:WikiPageCharacterSize2029354347992014-05-14T08:48:36Z'''{{Reserved for DBpedia}}''' +}}OntologyProperty:اکیڈمی ایوارڈ20214216589922022-06-21T07:26:46Z{{ObjectProperty +|labels={{label|ur|اکیڈمی ایوارڈ}} +| rdfs:domain = فنکار +| rdfs:range = انعام +| rdfs:subPropertyOf = dul:coparticipatesWith +|comments={{comment|ur|موشن تصویر پروڈکشن اور کارکردگی میں کامیابیوں کے لئے اکیڈمی آف موشن تصویر آرٹس اور سائنسز کے ذریعہ ایک سالانہ اعزاز}} +}}OntologyProperty:ایجنسی20214188589202022-06-20T16:26:11Z{{ObjectProperty +| labels = +{{label|en|agency}} + {{label|ur|ایجنسی}} +| rdfs:domain = شخص +}}OntologyProperty:ایجنسی اسٹیشن کوڈ20214232590242022-06-21T17:01:07Z{{DatatypeProperty +| labels = +{{label|ur|ایجنسی اسٹیشن کوڈ}} +| rdfs:domain = اڈا +| rdfs:range = xsd:string +|comments={{comment|ur|ایجنسی اسٹیشن کوڈ (ٹکٹ/مخصوص کرنے کا عمل وغیرہ پر استعمال کیا جاتا ہے)۔}} +}}OntologyProperty:ایک طرف20214225590092022-06-21T16:14:47Z{{DatatypeProperty +| labels = +{{label|ur| ایک طرف}} -{{DatatypeProperty -| rdfs:label@en = Character size of wiki page -| rdfs:domain = owl:Thing -| rdfs:range = xsd:nonNegativeInteger -| comments = -{{comment|en|Needs to be removed, left at the moment to not break DBpedia Live}} -}}OntologyProperty:WikiPageDisambiguates2022426186922012-05-28T19:35:13Z'''{{Reserved for DBpedia}}''' +| rdfs:domain = سنگل +| rdfs:range = xsd:string +| rdfs:comment@ur = +}}OntologyProperty:اے ایف آئی انعام20214187589182022-06-20T16:21:09Z {{ObjectProperty -| rdfs:label@en = Wikipage disambiguates -| rdfs:domain = owl:Thing -| rdfs:range = owl:Thing -| comments = -{{comment|en|Reserved for DBpedia. {{Reserved for DBpedia}}}} -}}OntologyProperty:WikiPageEditLink2028156287212013-11-06T15:33:22Z'''{{Reserved for DBpedia}}''' - +| rdfs:label@en = AFI Award +| labels = + {{label|ur|اے ایف آئی انعام}} +| rdfs:domain = فنکار +| rdfs:range = انعام +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:اے سی تی سکور20214218589962022-06-21T10:03:40Z {{ObjectProperty -| rdfs:label@en = Link to the Wikipage edit URL -| rdfs:domain = owl:Thing -| rdfs:range = owl:Thing -| comments = -{{comment|en|Reserved for DBpedia. {{Reserved for DBpedia}}}} -}}OntologyProperty:WikiPageExternalLink2022430186932012-05-28T19:35:34Z'''{{Reserved for DBpedia}}''' +|labels={{label|ur|اے سی تی سکور}} +| rdfs:domain = مدرسه +| rdfs:subPropertyOf = dul:hasQuality +}}OntologyProperty:اے ٹی سی کوڈ20214245590502022-06-21T17:56:04Z{{DatatypeProperty +| labels = +{{label|ur|اے ٹی سی کوڈ}} +| rdfs:range = xsd:string +| rdfs:subPropertyOf = ضابطہ +}}OntologyProperty:بحث کی تاریخ20214238590362022-06-21T17:24:59Z{{DatatypeProperty +|labels={{label|ur|بحث کی تاریخ}} +| rdfs:domain = ریاستہائے متحدہ کی سپریم کورٹ کیس +| rdfs:range = xsd:date +}}OntologyProperty:تاریخ کا معاہدہ20214150588272022-06-20T11:45:19Z{{DatatypeProperty +| labels = -{{ObjectProperty -| rdfs:label@en = Link from a Wikipage to an external page -| rdfs:domain = owl:Thing -| rdfs:range = owl:Thing -| comments = -{{comment|en|Reserved for DBpedia. {{Reserved for DBpedia}}}} -}}OntologyProperty:WikiPageExtracted2028154287182013-11-06T15:29:56Z'''{{Reserved for DBpedia}}''' +{{label|ur|تاریخ کا معاہدہ}} +| rdfs:domain = جگہ +| rdfs:range = xsd:date +}}OntologyProperty:تاریخ کی نقاب کشائی20214153588362022-06-20T12:03:35Z{{DatatypeProperty +| labels = -{{DatatypeProperty -| rdfs:label@en = extraction datetime -| rdfs:range = xsd:dateTime -| comments = -{{comment|en|Date a page was extracted '''{{Reserved for DBpedia}}'''}} -}}OntologyProperty:WikiPageHistoryLink2028158287232013-11-06T18:20:28Z'''{{Reserved for DBpedia}}''' +{{label|ur|تاریخ کی نقاب کشائی}} +| comments = -{{ObjectProperty -| rdfs:label@en = Link to the Wikipage history URL -| rdfs:domain = owl:Thing +{{comment|ur|نقاب کشائی کی تاریخ مقرر کرتا ہے۔}} +| rdfs:domain = یادگار +| rdfs:range = xsd:date +| rdf:type = +| rdfs:subPropertyOf = +| owl:equivalentProperty = +}}OntologyProperty:تعارفی علامت کا مطلب20214211589762022-06-21T06:12:56Z{{DatatypeProperty +|labels= +{{label|ur|تعارفی علامت کا مطلب}} +| rdfs:domain = ناشَر +| rdfs:range = xsd:string +|comments={{comment|ur|باہر لکھا ہوا کال سائن۔}} +}}OntologyProperty:تعارفی نشان20214209589722022-06-21T06:07:13Z{{DatatypeProperty +|labels= +{{label|ur|تعارفی نشان}} +|comments={{comment|ur|تعارفی نشان (جسے کال کا نام یا کال لیٹر بھی کہا جاتا ہے، یا مختصراً کال کے طور پر جانا جاتا ہے) ٹرانسمیٹنگ اسٹیشن کے لیے ایک منفرد عہدہ ہے۔}} +| rdfs:range = xsd:string +}}OntologyProperty:تعلیمی نظم و ضبط20214161588542022-06-20T13:17:29Z{{ObjectProperty +| rdfs:label@en = academic discipline +| labels = + {{label|ur|تعلیمی نظم و ضبط}} +| rdfs:domain =تعلیمی جریدہ | rdfs:range = owl:Thing | comments = -{{comment|en|Reserved for DBpedia. {{Reserved for DBpedia}}}} -}}OntologyProperty:WikiPageID2022429186942012-05-28T19:35:43Z'''{{Reserved for DBpedia}}''' - -{{DatatypeProperty -| rdfs:label@en = Wikipage page ID -| rdfs:range = xsd:integer -| comments = -{{comment|en|Reserved for DBpedia. {{Reserved for DBpedia}}}} -}}OntologyProperty:WikiPageInDegree2029352345812014-04-16T19:24:05Z'''{{Reserved for DBpedia}}''' +{{comment|ur|ایک قرارداد میٹنگ یا کنونشن کے ذریعہ اختیار کردہ ایک رسمی بیان کی وضاحت کرتی ہے}} +| rdfs:comment@en = 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. -{{DatatypeProperty -| rdfs:label@en = Wiki page in degree -| rdfs:domain = owl:Thing -| rdfs:range = xsd:nonNegativeInteger -| comments = -{{comment|en|Reserved for DBpedia. {{Reserved for DBpedia}}}} -}}OntologyProperty:WikiPageInterLanguageLink2025779186982012-05-28T19:40:06Z'''{{Reserved for DBpedia}}''' +| rdfs:subPropertyOf = dul:isAbout +}}OntologyProperty:تفصیل20214157588422022-06-20T12:23:06Z{{DatatypeProperty +| labels = -{{ObjectProperty -| rdfs:label@en = Link from a Wikipage to a Wikipage in a different language about the same or a related subject. -| rdfs:domain = owl:Thing -| rdfs:range = owl:Thing -| comments = -{{comment|en|Reserved for DBpedia. {{Reserved for DBpedia}}}} -}}OntologyProperty:WikiPageLength2029376347982014-05-14T08:47:50Z'''{{Reserved for DBpedia}}''' +{{label|ur| تفصیل}} -{{DatatypeProperty -| rdfs:label@en = page length (characters) of wiki page -| rdfs:domain = owl:Thing -| rdfs:range = xsd:nonNegativeInteger -| comments = -{{comment|en|Reserved for DBpedia. {{Reserved for DBpedia}}}} -}}OntologyProperty:WikiPageModified2028157287222013-11-06T15:38:56Z'''{{Reserved for DBpedia}}''' +| rdfs:domain =کام +| rdfs:range = xsd:string +| comments = + + {{comment|ur| + ڈبلن کور ٹائپ کے ساتھ ہم آہنگ ہوں[http://dublincore.org/documents/dcmi-type-vocabulary/ڈبلن کور (ڈی سی) کی خصوصیات صرف میڈیا وسائل کے لیے استعمال کی جانی چاہیے جو کہ }} -{{DatatypeProperty -| rdfs:label@en = Wikipage modification datetime -| rdfs:range = xsd:dateTime +}}OntologyProperty:جامع کا علقه20214212589812022-06-21T06:18:03Z{{ObjectProperty +| labels = + {{label|ur|جامع کا علقه}} +| comments = + {{comment|ur|جامع کا علقه کا مطلب ہے کوئی بھی شہری جامع کا علقه جو جامع کے طلباء کو رہائشی، تدریسی اور تحقیقی سہولیات فراہم کرتا ہے۔}} +| rdfs:domain =جامع درس گاہ +| rdfs:subPropertyOf = dul:hasLocation +}}OntologyProperty:جامعہ کا ناپ20214213589852022-06-21T06:34:36Z{{DatatypeProperty +| rdfs:label@en = campus size +|labels={{label|ur|جامعہ کا ناپ}} +| rdfs:domain = مدرسه +| rdfs:range = Area +}}OntologyProperty:جامعہ کی قسم20214214589872022-06-21T06:38:20Z{{DatatypeProperty +|labels={{label|ur|جامعہ کی قسم}} +| rdfs:domain = تعلیمی ادارے +| rdfs:range = rdf:langString +}}OntologyProperty:جمع آبادیات20214233590262022-06-21T17:04:25Z{{ObjectProperty +| labels = +{{label|ur|جمع آبادیات}} +| rdfs:domain = آبادی والی جگہ +| rdfs:range = آبادیاتی +}}OntologyProperty:جمع کا علاقہ20214189589252022-06-20T16:43:08Z{{ObjectProperty +| labels = +{{label|en|agglomeration area}} +{{label|ur|جمع کا علاقہ}} +| rdfs:domain = آبادی والی جگہ +| rdfs:range = رقبہ +}}OntologyProperty:جوہری عدد20214243590462022-06-21T17:52:00Z{{DatatypeProperty +| labels = +{{label|ur|جوہری عدد}} | comments = -{{comment|en|Reserved for DBpedia '''{{Reserved for DBpedia}}'''}} -}}OntologyProperty:WikiPageOutDegree2029353345822014-04-16T19:24:39Z'''{{Reserved for DBpedia}}''' - -{{DatatypeProperty -| rdfs:label@en = Wiki page out degree -| rdfs:domain = owl:Thing +{{comment|ur|کسی عنصر کے ایٹموں کی اوسط کمیت کا تناسب (ایک دیے گئے نمونے یا ماخذ سے) کاربن 12 کے ایٹم کے بڑے پیمانے پر}} +| rdfs:domain = کیمیائی عنصر | rdfs:range = xsd:nonNegativeInteger -| comments = -{{comment|en|Reserved for DBpedia. {{Reserved for DBpedia}}}} -}}OntologyProperty:WikiPageRedirects2022425186952012-05-28T19:36:13Z'''{{Reserved for DBpedia}}''' +| owl:equivalentProperty = wikidata:P1086 +}} +<references/>OntologyProperty:حساب کی ضرورت20214208589682022-06-21T06:00:23Z {{ObjectProperty -| rdfs:label@en = Wikipage redirect +|labels= +{{label|ur|حساب کی ضرورت}} | rdfs:domain = owl:Thing | rdfs:range = owl:Thing -| comments = -{{comment|en|Reserved for DBpedia. {{Reserved for DBpedia}}}} -}}OntologyProperty:WikiPageRevisionID2022427186962012-05-28T19:36:22Z'''{{Reserved for DBpedia}}''' +}}OntologyProperty:حصول کی تاریخ20214164588652022-06-20T13:46:31Z{{DatatypeProperty +| rdfs:label@en=date of acquirement +| rdfs:label@de=Anschaffungszeitpunkt +| rdfs:label@el=ημερομηνία απόκτησης +| labels = + {{label|ur|حصول کی تاریخ}} +| rdfs:domain = جہاز +| rdfs:range = xsd:date -{{DatatypeProperty -| rdfs:label@en = Wikipage revision ID -| rdfs:range = xsd:integer -| comments = -{{comment|en|Reserved for DBpedia. {{Reserved for DBpedia}}}} -}}OntologyProperty:WikiPageRevisionLink2028155287202013-11-06T15:32:54Z'''{{Reserved for DBpedia}}''' +}}OntologyProperty:خلاصہ20214201589522022-06-20T17:47:04Z'''{{Reserved for DBpedia}}''' +{{DatatypeProperty +| labels = +{{label|en|has abstract}} +{{label|ur|خلاصہ}} +| rdfs:range = rdf:langString +}}OntologyProperty:رسائی20214163588612022-06-20T13:43:22Z{{DatatypeProperty +| labels = + {{label|en|access}} +{{label|ur|رسائی}} +| rdfs:range = xsd:string +}}OntologyProperty:رسائی کی تاریخ20214217589942022-06-21T09:56:27Z{{DatatypeProperty +| labels = +{{label|ur|رسائی کی تاریخ}} +| rdfs:range = xsd:date +}}OntologyProperty:رفیقه مدیر20214249590592022-06-21T18:31:08Z {{ObjectProperty -| rdfs:label@en = Link to the Wikipage revision URL +| labels = + {{label|ur|رفیقه مدیر}} +| rdfs:domain = اخبار +| rdfs:range = شخص +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:رقبہ20214256590732022-06-21T18:48:49Z{{DatatypeProperty +| labels = +{{label|ur|رقبہ}} +| rdfs:range = Area +}}OntologyProperty:روزانہ ویکسین خام20214147588162022-06-20T11:10:01Z{{ObjectProperty +| labels = + +{{label|ur|روزانہ ویکسین خام}} +| comments = + +{{comment|ur|ویکسینیشن کے اعدادوشمار: روزانہ ویکسینیشن (خام ڈیٹا)۔}} | rdfs:domain = owl:Thing -| rdfs:range = owl:Thing -| comments = -{{comment|en|Reserved for DBpedia. {{Reserved for DBpedia}}}} -}}OntologyProperty:WikiPageUsesTemplate20211966525452017-10-25T11:35:10Z{{ObjectProperty +| rdfs:range = ویکسینیشن کے اعدادوشمار +}}OntologyProperty:رومانیہ کی تصفیہ کا اقتدار کا موضوع20214235590302022-06-21T17:13:17Z{{DatatypeProperty +| labels = +{{label|ur|رومانیہ کی تصفیہ کا اقتدار کا موضوع}} +| rdfs:domain = RomaniaSettlement +| rdfs:range = xsd:string +}}OntologyProperty:رہائی کی تاریخ20214196589412022-06-20T17:34:45Z{{DatatypeProperty +| rdfs:label@en = airdate | labels = - {{label|en|wiki page uses template}} - {{label|de|Wikiseite verwendet Template}} -| comments = - {{comment|en|DO NOT USE THIS PROPERTY! For internal use only.}} -| rdfs:range = WikimediaTemplate -}}OntologyProperty:WikiPageWikiLink2022431366582014-07-08T14:26:25Z'''{{Reserved for DBpedia}}''' + {{label|ur|رہائی کی تاریخ}} +| rdfs:domain = ریڈیو سٹیشن +| rdfs:range = xsd:date +}}OntologyProperty:زمین کا علاقہ20214255590712022-06-21T18:46:06Z{{DatatypeProperty +| labels = +{{label|ur|زمین کا علاقہ}} +| rdfs:domain = جگہ +| rdfs:range = Area +}}OntologyProperty:زوال20214184589112022-06-20T16:04:55Z{{DatatypeProperty +| labels = + +{{label|ur| زوال}} +| rdfs:domain =نکشتر +| rdfs:range = xsd:nonNegativeInteger + +}}OntologyProperty:سامان کی جانچ پڑتال کر سکتے ہیں20214215589892022-06-21T06:40:54Z{{DatatypeProperty +|labels={{label|ur|سامان کی جانچ پڑتال کر سکتے ہیں}} +| rdfs:domain = اڈا +| rdfs:range = xsd:boolean +}}OntologyProperty:سرگرمی20214224590082022-06-21T15:38:32Z{{ObjectProperty +| labels = +{{label|ur|سرگرمی}} +| rdfs:domain = شخص +| owl:equivalentProperty = wikidata:P106 +}}OntologyProperty:سڑک میں واقع ہے20214171588792022-06-20T14:15:45Z {{ObjectProperty -| rdfs:label@en = Link from a Wikipage to another Wikipage -| rdfs:domain = owl:Thing +| rdfs:label@en = address in road +| labels = +{{label|ur|سڑک میں واقع ہے}} +| rdfs:domain = سڑک | rdfs:range = owl:Thing -| comments = - {{comment|en|Reserved for DBpedia. {{Reserved for DBpedia}}}} -| rdfs:subPropertyOf = dul:associatedWith -}}OntologyProperty:WikiPageWikiLinkText20210113377362014-09-08T13:44:53Z'''{{Reserved for DBpedia}}''' +{{comment|ur|ایک عمارت، تنظیم یا دوسری چیز جو سڑک میں واقع ہے}} +| rdfs:comment@en = A building, organisation or other thing that is located in the road. +| rdfs:subPropertyOf = dul:isLocationOf +}}OntologyProperty:شروع20214182589072022-06-20T15:40:58Z{{DatatypeProperty +| labels = +{{label|ur|شروع}} -{{ObjectProperty -| rdfs:label@en = Text used to link from a Wikipage to another Wikipage -| rdfs:domain = owl:Thing -| rdfs:range = owl:Thing -| comments = - {{comment|en|Reserved for DBpedia. {{Reserved for DBpedia}}}} -| rdfs:subPropertyOf = -}}OntologyProperty:WikidataSplitIri20211440495202015-11-13T15:01:35Z{{ObjectProperty +| rdfs:domain = پہلوان +| rdfs:range = xsd:date + +}}OntologyProperty:شکست20214190589262022-06-20T16:48:41Z{{DatatypeProperty | labels = - {{label|en|Wikidata IRI slit }} -| comments = - {{comment|en|is used to denote splitting of a Wikidata IRI to one or more IRIs }} -}}OntologyProperty:Wilaya2026844366592014-07-08T14:26:28Z -{{ObjectProperty + +{{label|ur|شکست}} +| rdfs:domain =مکے باز +| rdfs:range = xsd:nonNegativeInteger +}}OntologyProperty:ضابطہ20214244590492022-06-21T17:55:54Z{{DatatypeProperty | labels = - {{label|en|wilaya}} - {{label|sr|вилајет}} -| rdfs:domain = Settlement -| rdfs:range = Place -| rdfs:subPropertyOf = dul:hasLocation -}}OntologyProperty:WimbledonDouble2027724500782016-01-04T12:40:41Z{{DatatypeProperty +{{label|ur|ضابطہ}} +| rdfs:range = xsd:string +| owl:equivalentProperty=gn:featureCode +}}OntologyProperty:طَنابی گاڑی20214207589652022-06-21T05:53:09Z{{DatatypeProperty | labels = -{{label|en|wimbledon double}} -{{label|sr|вимблдон дубл}} -| rdfs:domain = TennisPlayer +{{label|en|cable car}} +{{label|de|Drahtseilbahn}} +{{label|ur|طَنابی گاڑی}} +| rdfs:domain = جگہ +| rdfs:range = xsd:nonNegativeInteger +}}OntologyProperty:علاقے کا درجہ20214253590672022-06-21T18:37:54Z{{DatatypeProperty +| labels = +{{label|ur|علاقے کا درجہ}} +| rdfs:domain = جگہ | rdfs:range = xsd:string -}}OntologyProperty:WimbledonMixed2027728500792016-01-04T12:42:47Z{{DatatypeProperty +}}OntologyProperty:عمارتی دفتر20214257590752022-06-21T18:51:39Z +{{ObjectProperty +| rdfs:domain = تعمیراتی ڈھانچے +|labels={{label|ur|عمارتی دفتر}} +| rdfs:range = تِجارتی اِدارہ +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:عمر20214231590222022-06-21T16:56:18Z{{DatatypeProperty | labels = -{{label|en|wimbledon mixed}} -{{label|sr|вимблдон микс дубл}} -| rdfs:domain = TennisPlayer +{{label|ur|عمر}} +| rdfs:domain = نمائندہ +| rdfs:range = xsd:integer +}}OntologyProperty:فعال سال20214219589982022-06-21T10:14:12Z{{DatatypeProperty +| labels = + {{label|ur|فعال سال}} +| rdfs:domain = شخص | rdfs:range = xsd:string -}}OntologyProperty:WimbledonSingle2027720500802016-01-04T12:43:15Z{{DatatypeProperty +| owl:equivalentProperty = gnd:periodOfActivity +}}OntologyProperty:فعال سال آخر سال20214220590002022-06-21T10:20:33Z{{DatatypeProperty | labels = -{{label|en|wimbledon single}} -{{label|sr|вимблдон појединачно}} -| rdfs:domain = TennisPlayer +{{label|ur|فعال سال آخر سال}} +| rdfs:domain = owl:Thing +| rdfs:range = xsd:gYear +}}OntologyProperty:فعال سال شروع سال Mgr20214168591292022-12-01T19:35:55Z{{DatatypeProperty +| labels = +{{label|en|active years start year manager}} +{{label|ur|فعال سال شروع سال }} +| rdfs:domain = شخص +| rdfs:range = xsd:gYear +}}OntologyProperty:فعال سال کی آخری تاریخ Mgr20214166588692022-06-20T13:52:38Z{{DatatypeProperty +| labels = +{{label|en|active years end date manager}} +{{label|ur|فعال سال کی آخری تاریخ Mgr}} +| rdfs:domain = شخص | rdfs:range = xsd:string -}}OntologyProperty:WineProduced2021579366602014-07-08T14:26:31Z -{{ObjectProperty -| rdfs:label@en = wine produced -| rdfs:label@sr = производи вино -| rdfs:domain = WineRegion -| rdfs:subPropertyOf = dul:isLocationOf -}}OntologyProperty:WineRegion2021580366612014-07-08T14:26:34Z -{{ObjectProperty -| rdfs:label@en = wine region -| rdfs:label@de = Weinregion -| rdfs:label@sr = регион вина -| rdfs:domain = Grape -| rdfs:range = WineRegion -| rdfs:subPropertyOf = dul:hasLocation -}}OntologyProperty:WineYear2021581344332014-04-08T13:46:56Z{{DatatypeProperty -| rdfs:label@en = wine year -| rdfs:label@de = Weinjahr -| rdfs:label@sr = година флаширања вина -| rdfs:domain = WineRegion -| rdfs:range = xsd:date -}}OntologyProperty:WingArea2025630344342014-04-08T13:47:00Z{{ DatatypeProperty - - | rdfs:label@en = wing area -| rdfs:label@de = Flügelfläche - | rdfs:label@sr = површина крила - | rdfs:domain = Aircraft - | rdfs:range = Area - -}}OntologyProperty:Wingspan2025627344352014-04-08T13:47:04Z{{ DatatypeProperty - - | rdfs:label@en = wingspan -| rdfs:label@de = Spannweite - | rdfs:label@sr = распон крила - | rdfs:domain = Aircraft - | rdfs:range = Length +}}OntologyProperty:فعال سال کی شروعات کی تاریخ20214167588712022-06-20T13:55:27Z{{DatatypeProperty +| labels = -}}OntologyProperty:Wins2021582524602017-10-15T21:26:46Z{{DatatypeProperty +{{label|ur|فعال سال کی شروعات کی تاریخ}} +{{label|en|active years start date}} +| rdfs:range = xsd:date +}}OntologyProperty:فعال کیسز20214165588672022-06-20T13:49:36Z{{DatatypeProperty | labels = -{{label|en|wins}} -{{label|de|Siege}} -{{label|sr|победе}} -{{label|el|νίκες}} -{{label|nl|zeges}} -| rdfs:domain = owl:Thing -| rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:WinsAtAlpg2022554366622014-07-08T14:26:37Z -{{ObjectProperty -| rdfs:label@en = wins at ALPG -| rdfs:label@sr = победе на ALPG -| rdfs:domain = GolfPlayer -| rdfs:subPropertyOf = dul:isParticipantIn -}}OntologyProperty:WinsAtAsia2022555366632014-07-08T14:26:41Z -{{ObjectProperty -| rdfs:label@en = wins at ASIA -| rdfs:domain = GolfPlayer -| rdfs:subPropertyOf = dul:isParticipantIn -}}OntologyProperty:WinsAtAus2022557366642014-07-08T14:26:44Z -{{ObjectProperty -| rdfs:label@en = wins at AUS -| rdfs:domain = GolfPlayer -| rdfs:subPropertyOf = dul:isParticipantIn -}}OntologyProperty:WinsAtChallenges2022559366652014-07-08T14:26:47Z -{{ObjectProperty -| rdfs:label@en = wins at challenges -| rdfs:domain = GolfPlayer -| rdfs:subPropertyOf = dul:isParticipantIn -}}OntologyProperty:WinsAtChampionships2022560366662014-07-08T14:26:50Z -{{ObjectProperty -| rdfs:label@en = wins at championships -| rdfs:domain = GolfPlayer -| rdfs:subPropertyOf = dul:isParticipantIn -}}OntologyProperty:WinsAtJLPGA2022563366672014-07-08T14:26:54Z -{{ObjectProperty -| rdfs:label@en = wins at JLPGA -| rdfs:label@sr = победе на JLPGA -| rdfs:domain = GolfPlayer -| rdfs:subPropertyOf = dul:isParticipantIn -}}OntologyProperty:WinsAtJapan2022562366682014-07-08T14:26:57Z -{{ObjectProperty -| rdfs:label@en = wins at japan -| rdfs:domain = GolfPlayer -| rdfs:subPropertyOf = dul:isParticipantIn -}}OntologyProperty:WinsAtKLPGA2022564366692014-07-08T14:27:15Z -{{ObjectProperty -| rdfs:label@en = wins at KLPGA -| rdfs:label@sr = победе на KLPGA -| rdfs:domain = GolfPlayer -| rdfs:subPropertyOf = dul:isParticipantIn -}}OntologyProperty:WinsAtLAGT2022565366702014-07-08T14:27:18Z -{{ObjectProperty -| rdfs:label@en = wins at LAGT -| rdfs:label@sr = победе на LAGT -| rdfs:domain = GolfPlayer -| rdfs:subPropertyOf = dul:isParticipantIn -}}OntologyProperty:WinsAtLET2022566366712014-07-08T14:27:22Z -{{ObjectProperty -| rdfs:label@en = wins at LET -| rdfs:label@sr = победе на LET -| rdfs:domain = GolfPlayer -| rdfs:subPropertyOf = dul:isParticipantIn -}}OntologyProperty:WinsAtLPGA2022567366722014-07-08T14:27:26Z -{{ObjectProperty -| rdfs:label@en = wins at LPGA -| rdfs:label@sr = победе на LPGA -| rdfs:domain = GolfPlayer -| rdfs:subPropertyOf = dul:isParticipantIn -}}OntologyProperty:WinsAtMajors2022568366732014-07-08T14:27:29Z -{{ObjectProperty -| rdfs:label@en = wins at majors -| rdfs:domain = GolfPlayer -| rdfs:subPropertyOf = dul:isParticipantIn -}}OntologyProperty:WinsAtNWIDE2022569366742014-07-08T14:27:33Z -{{ObjectProperty -| rdfs:label@en = wins at NWIDE -| rdfs:label@sr = победе на NWIDE -| rdfs:domain = GolfPlayer -| rdfs:subPropertyOf = dul:isParticipantIn -}}OntologyProperty:WinsAtOtherTournaments2022570366752014-07-08T14:27:36Z -{{ObjectProperty -| rdfs:label@en = wins at other tournaments -| rdfs:label@sr = победе на осталим турнирима -| rdfs:domain = GolfPlayer -| rdfs:subPropertyOf = dul:isParticipantIn -}}OntologyProperty:WinsAtPGA2022571366762014-07-08T14:27:40Z -{{ObjectProperty -| rdfs:label@en = wins at pga -| rdfs:label@sr = победе на PGA -| rdfs:domain = GolfPlayer -| rdfs:subPropertyOf = dul:isParticipantIn -}}OntologyProperty:WinsAtProTournaments2022572366772014-07-08T14:27:42Z -{{ObjectProperty -| rdfs:label@en = wins at pro tournaments -| rdfs:label@sr = победе на професионалним турнирима -| rdfs:domain = GolfPlayer -| rdfs:subPropertyOf = dul:isParticipantIn -}}OntologyProperty:WinsAtSenEuro2022573366782014-07-08T14:27:46Z -{{ObjectProperty -| rdfs:label@en = wins at Senior Euro -| rdfs:domain = GolfPlayer -| rdfs:subPropertyOf = dul:isParticipantIn -}}OntologyProperty:WinsAtSun2022574366792014-07-08T14:27:49Z -{{ObjectProperty -| rdfs:label@en = wins at sun -| rdfs:label@sr = победе на SUN -| rdfs:domain = GolfPlayer -| rdfs:subPropertyOf = dul:isParticipantIn -}}OntologyProperty:WinsInEurope2022561366802014-07-08T14:27:52Z -{{ObjectProperty -| rdfs:label@en = wins in Europe -| rdfs:label@sr = победе у Европи -| rdfs:label@de = Siege in Europa -| rdfs:domain = GolfPlayer -| rdfs:subPropertyOf = dul:isParticipantIn -}}OntologyProperty:WinterAppearances2021583366812014-07-08T14:27:55Z +{{label|en|Active Cases}} +{{label|ur|فعال کیسز}} +{{comment|ur|ایک قرارداد میٹنگ یا کنونشن کے ذریعہ اختیار کردہ ایک رسمی بیان کی وضاحت کرتی ہے}} +| rdfs:comment@en = وبائی مرض میں فعال کیسوں کی تعداد +| rdfs:domain = ہنگامہ +| rdfs:range = xsd:integer +}}OntologyProperty:فن کاسرپرست20214240590402022-06-21T17:36:44Z {{ObjectProperty -| rdfs:label@en = winter appearances -| rdfs:label@sr = зимски наступи -| rdfs:domain = OlympicResult -| rdfs:range = OlympicResult -| rdfs:subPropertyOf = dul:sameSettingAs -}}OntologyProperty:WinterTemperature2021584344372014-04-08T13:47:14Z{{DatatypeProperty -| rdfs:label@en = winter temperature -| rdfs:label@de = Wintertemperatur -| rdfs:label@sr = зимска температура -| rdfs:domain = Settlement -| rdfs:range = Temperature -}}OntologyProperty:WoRMS20210349391102015-01-09T17:55:28Z{{ObjectProperty | labels = -{{label|en|WoRMS}} -{{label|nl|WoRMS}} -| comments = -{{comment|en|World Register of Marine Species}} -| rdfs:domain = Species -}}OntologyProperty:WordBefore2027113303862014-01-21T10:56:51Z{{DatatypeProperty +{{label|ur|فن کاسرپرست}} +| rdfs:domain = نمائندہ +| rdfs:range = فنکار +| comments= +{{comment|ur|ایک بااثر، دولت مند شخص جس نے کسی فنکار، کاریگر، عالم یا بزرگ کی حمایت کی۔}} +| rdfs:subPropertyOf = dul:sameSettingAs +}} +<references/>OntologyProperty:فنکار20214241590422022-06-21T17:39:10Z +{{ObjectProperty | labels = -{{label|en|word before the country}} -{{label|sr|реч пре државе}} -| rdfs:domain = Country -| rdfs:range = xsd:string -}}OntologyProperty:Work2026812344382014-04-08T13:47:19Z{{DatatypeProperty +{{label|ur|فنکار}} +| comments = +{{comment|ur|موسیقی کے کام کا اداکار یا تخلیق کار۔}} +| rdfs:domain =فنکار +| rdfs:range = نمائندہ +| owl:equivalentProperty = schema:byArtist, wikidata:P175 +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:فوج20214239590382022-06-21T17:31:01Z{{DatatypeProperty | labels = -{{label|en|work}} -{{label|de|Arbeit}} -| rdfs:domain = FictionalCharacter +{{label|ur|فوج}} +| comments = +{{label|ur|فوج قوم کی زمینی قوت ہے۔}} +| rdfs:domain = فوجی شخص | rdfs:range = xsd:string -}}OntologyProperty:WorkArea2026430303762014-01-21T10:49:21Z{{DatatypeProperty +}}OntologyProperty:مجموعی آبادی کا سال20214234590282022-06-21T17:05:45Z{{DatatypeProperty | labels = -{{label|en|work area}} -{{label|sr|радни простор}} -{{label|de|Arbeitsplätze}} -| rdfs:domain = Building -| rdfs:range = Area -}}OntologyProperty:World2027765344392014-04-08T13:47:23Z{{ObjectProperty +{{label|ur|مجموعی آبادی کا سال}} +| rdfs:domain = بستی +| rdfs:range = xsd:string +}}OntologyProperty:مجموعی آبادی کل20214191589302022-06-20T17:00:49Z{{DatatypeProperty | labels = -{{label|en|world}} -{{label|de|Welt}} -{{label|sr|свет}} -| rdfs:domain = Person -| rdfs:range = skos:Concept -}}OntologyProperty:WorldChampionTitleYear2023542303742014-01-21T10:44:32Z{{DatatypeProperty +{{label|en|agglomeration population total}} +{{label|ur|مجموعی آبادی کل}} +| rdfs:range = xsd:nonNegativeInteger +}}OntologyProperty:مخفف20214158588462022-06-20T12:56:54Z{{DatatypeProperty | labels = - {{label|en|year of world champion title}} - {{label|sr|година освајања светског шампионата}} - {{label|nl|jaar van wereldkampioen titel}} - {{label|fr|année d'obtention du titre de champion du monde}} -| comments = - {{comment|en|can be one or several years}} - {{comment|sr|може бити једна или више година}} - {{comment|fr|il peut s'agir d'une ou de plusieurs années}} -| rdfs:domain = Athlete +{{label|en|abbreviation}} +{{label|ur|مخفف}} +| rdfs:domain = owl:Thing | rdfs:range = xsd:string -}}OntologyProperty:WorldOpen2028050303702014-01-21T10:40:39Z{{DatatypeProperty +| owl:equivalentProperty = wikidata:P743 +}}OntologyProperty:مردہ لڑائی کی جگہ20214179589022022-06-20T15:32:07Z{{DatatypeProperty | labels = -{{label|en|world open}} -{{label|sr|светско отворено првенство}} -| rdfs:domain = Athlete + +{{label|ur|مردہ لڑائی کی جگہ}} +| rdfs:domain =شخص | rdfs:range = xsd:string -}}OntologyProperty:WorldTeamCup2027741303672014-01-21T10:37:27Z{{DatatypeProperty +}}OntologyProperty:مصنف20214236590322022-06-21T17:15:24Z{{ObjectProperty | labels = -{{label|en|world team cup}} -{{label|sr|светско клупско првенство}} -| rdfs:domain = Athlete +{{label|ur|مصنف}} +| rdfs:domain = کام +| rdfs:range = شخص +| owl:equivalentProperty = schema:author, wikidata:P50, bibschema:author, dblp2:authoredBy +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:معاملہ20214186589162022-06-20T16:11:11Z{{DatatypeProperty +| labels = +{{label|en|affair}} +{{label|ur|معاملہ}} +| rdfs:domain = شخص | rdfs:range = xsd:string -}}OntologyProperty:WorldTournament2027567344402014-04-08T13:47:27Z{{ObjectProperty +}}OntologyProperty:مقامی حکومت کی انجمن20214251590632022-06-21T18:34:45Z +{{ObjectProperty | labels = -{{label|en|world tournament}} -{{label|de|Weltturnier}} -{{label|sr|светски турнир}} -| rdfs:range = Tournament -| rdfs:domain = Person -}}OntologyProperty:WorldTournamentBronze2027575303602014-01-21T10:31:26Z{{DatatypeProperty +{{label|ur|مقامی حکومت کی انجمن}} +| rdfs:domain = بستی +| rdfs:range = آبادی والی جگہ +| rdfs:subPropertyOf = dul:coparticipatesWith +}}OntologyProperty:ملحقہ بستی20214227590142022-06-21T16:49:17Z{{ObjectProperty | labels = -{{label|en|world tournament bronze}} -{{label|sr|број бронзаних медаља са светских турнира}} -| rdfs:domain = Person -| rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:WorldTournamentGold2027573307022014-01-22T10:41:42Z{{DatatypeProperty + {{label|ur|ملحقہ بستی}} +| rdfs:domain = بستی +| rdfs:range = بستی +| rdfs:subPropertyOf = dul:nearTo +}}OntologyProperty:منتظم20214229590182022-06-21T16:53:30Z{{ObjectProperty | labels = -{{label|en|world tournament gold}} -{{label|sr|број златних медаља са светских турнира}} -| rdfs:domain = Person -| rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:WorldTournamentSilver2027574303552014-01-21T10:27:30Z{{DatatypeProperty +{{label|ur|منتظم}} + {{label|el|διαχειριστής}} +| rdfs:domain = تنظیم +| rdfs:range = شخص +}}OntologyProperty:منسلک سازینه20214250590612022-06-21T18:33:03Z +{{ObjectProperty | labels = -{{label|en|world tournament silver}} -{{label|sr|број сребрних медаља са светских турнира}} -| rdfs:domain = Person -| rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:WorstDefeat2021585344502014-04-08T14:33:01Z{{DatatypeProperty -| rdfs:label@en = worst defeat -| rdfs:label@de = höchste Niederlage -| rdfs:label@sr = најтежи пораз -| rdfs:domain = SoccerClub -| rdfs:range = xsd:string -}}OntologyProperty:WptFinalTable2028041307042014-01-22T10:42:25Z{{DatatypeProperty + {{label|ur|منسلک سازینه}} +| rdfs:range = گانے والوں کا گروہ +| rdfs:subPropertyOf = dul:isMemberOf +}}OntologyProperty:موت کی جگہ20214181589052022-06-20T15:36:46Z{{ObjectProperty | labels = -{{label|en|wpt final table}} -{{label|sr|WPT финале}} -| rdfs:domain = PokerPlayer -| rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:WptItm2028042303482014-01-21T10:22:39Z{{DatatypeProperty + +{{label|ur|موت کی جگہ}} +| rdfs:domain =جانور +| comments = + +{{comment|ur|وہ جگہ جہاں شخص کی موت ہوئی۔}} +| rdfs:range =جگہ +| owl:equivalentProperty = schema:deathPlace, wikidata:P20 +| rdfs:subPropertyOf = dul:hasLocation +}}OntologyProperty:موت کی عمر20214180589032022-06-20T15:33:40Z{{DatatypeProperty | labels = -{{label|en|wpt itm}} -{{label|sr|WPT ITM}} -| rdfs:domain = PokerPlayer + +{{label|ur|موت کی عمر}} + +| rdfs:domain =شخص | rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:WptTitle2028040303462014-01-21T10:19:40Z{{DatatypeProperty +}}OntologyProperty:ناکارہ20214192589332022-06-20T17:02:33Z{{DatatypeProperty | labels = -{{label|en|wpt title}} -{{label|sr|WPT титула}} -| rdfs:domain = PokerPlayer -| rdfs:range = xsd:string -}}OntologyProperty:Writer2021586366822014-07-08T14:27:59Z + +{{label|ur|ناکارہ }} + +| rdfs:domain = تجارتی ادارہ, +| rdfs:range = xsd:boolean +| comments = + +{{comment|ur|اگر کمپنی ناکارہ ہے یا نہیں۔ اگر تاریخ دی گئی ہو تو اختتامی_تاریخ استعمال کریں۔}} +}}OntologyProperty:نشان نجوم20214246590522022-06-21T17:57:51ZAstrologicalSign + {{ObjectProperty | labels = - {{label|en|writer}} - {{label|sr|писац}} - {{label|de|schriftsteller}} - {{label|it|scrittore}} - {{label|nl|schrijver}} - {{label|el|σεναριογράφος}} -| rdfs:domain = Work -| rdfs:range = Person -| rdfs:subPropertyOf = dul:coparticipatesWith -}}OntologyProperty:WsopItm2028036303422014-01-21T10:17:02Z{{DatatypeProperty -| labels = -{{label|en|wsop itm}} -{{label|sr|WSOP ITM}} -| rdfs:domain = PokerPlayer -| rdfs:range = xsd:nonNegativeInteger -}}OntologyProperty:WsopWinYear2028039307062014-01-22T10:43:36Z{{DatatypeProperty +{{label|ur|نشان نجوم}} +| rdfs:domain = شخص +| rdfs:subPropertyOf = dul:isDescribedBy +}}OntologyProperty:نقصان20214148588202022-06-20T11:21:03Z{{ObjectProperty | labels = -{{label|en|wsop win year}} -{{label|sr|година освајања WSOP-а}} -| rdfs:domain = PokerPlayer -| rdfs:range = xsd:gYear -}}OntologyProperty:WsopWristband2028035303402014-01-21T10:02:59Z{{DatatypeProperty + +{{label|ur|نقصان کی رقم}} +| rdfs:domain = تقریب +| rdfs:range = سکہ رائج الوقت +}}OntologyProperty:نقطہ نظر20214226590122022-06-21T16:41:47Z{{ObjectProperty +| labels = + {{label|en|approach}} + {{label|ur|نقطہ نظر}} + {{label|fr|approche}} +| rdfs:domain = شخص +}}OntologyProperty:پرہیز20214160588522022-06-20T13:09:30Z{{DatatypeProperty +| rdfs:label@en = abstentions | labels = -{{label|en|wsop wristband}} -{{label|sr|WSOP наруквица}} -| rdfs:domain = PokerPlayer +{{label|ur|پرہیز}} +| rdfs:comment@ga= an líon daoine a staon ó vótáil +| comments = +{{comment|ur|ووٹ سے پرہیز کرنے والوں کی تعداد}} +| rdfs:domain = ریاستی قرارداد | rdfs:range = xsd:nonNegativeInteger -| rdfs:comment@sr = Наруквица коју осваја шампион WSOP-a. -}}OntologyProperty:Year2021587538062020-12-01T18:00:52Z{{DatatypeProperty -| labels = -{{label|en|year}} -{{label|sr|година}} -{{label|de|Jahr}} -{{label|it|anno}} -{{label|es|año}} -{{label|nl|jaar}} -{{label|el|έτος}} -{{label|fr|année}} -| rdfs:range = xsd:gYear -| owl:equivalentProperty=wikidata:P2257 -}}OntologyProperty:YearElevationIntoNobility2029289344422014-04-08T13:47:34Z{{DatatypeProperty +}}OntologyProperty:پہلو کا تناسب20214247590542022-06-21T18:03:13Z +{{ObjectProperty +| rdfs:domain = تحریری پروگراموں کا مجموعہ +|labels={{label|ur|پہلو کا تناسب}} +|comments={{comment|ur|(ٹیلی وژن) تناسب نظر / عکس کی چوڑائی کا بلندی سے تناسب}} +| rdfs:subPropertyOf = dul:hasQuality +}}OntologyProperty:پیسنے کے قابل20214199589482022-06-20T17:44:59Z{{DatatypeProperty | labels = -{{label|en|year of elevation into the nobility}} -{{label|de|Jahr der Erhebung in den Adelsstand}} -{{label|nl|jaar van verheffing in de adelstand}} -| rdfs:domain = NobleFamily +{{label|en|able to grind}} +{{label|ur|پیسنے کے قابل}} +{{label|de|mahlenfähig}} +{{label|nl|maalvaardig}} +| rdfs:domain = چکی | rdfs:range = xsd:string -}}OntologyProperty:YearOfConstruction2023221537182020-09-06T12:42:45Z{{DatatypeProperty +}}OntologyProperty:ڈیجیٹل لائبریری کوڈ20214156588392022-06-20T12:10:28Z{{DatatypeProperty | labels = -{{label|en|year of construction}} -{{label|sr|година изградње}} -{{label|nl|bouwjaar}} -{{label|de|Baujahr}} -{{label|el|έτος κατασκευής}} -| rdfs:domain = Place -| rdfs:range = xsd:gYear -| rdfs:comment@en = The year in which construction of the Place was finished. -| rdfs:comment@sr = Година када је изградња нечега завршена. -| rdfs:comment@el = Το έτος στο οποίο ολοκληρώθηκε η κατασκευή ενός μέρους. -| owl:equivalentProperty = bag:oorspronkelijkBouwjaar -}}OntologyProperty:YearOfElectrification2023245303252014-01-21T09:51:21Z{{DatatypeProperty -| rdfs:label@en = year of electrification -| rdfs:label@sr = година електрификације -| rdfs:label@de = Jahr der Elektrifizierung -| rdfs:domain = Station -| rdfs:range = xsd:gYear -| rdfs:comment@en = Year station was electrified, if not previously at date of opening. -| rdfs:comment@sr = Година када је станица електрифицирана, уколико није била при отварању. -}}OntologyProperty:Years2021588514382016-08-16T07:30:44Z{{DatatypeProperty + +{{{label|ur| ڈیجیٹل لائبریری کوڈ NL}} + +| rdfs:domain = مصنف +| rdfs:range = xsd:string +| comments = + + {{comment|ur|ڈچ ڈیجیٹل لائبریری (dbnl) میں شناخت کنندہ}} + +}}OntologyProperty:ڈینس سکور20214149588222022-06-20T11:39:52Z{{DatatypeProperty | labels = -{{label|en|years}} -{{label|el|χρόνια}} -{{label|de|Jahre}} -{{label|sr|сезона}} -{{label|nl|seizoen}} -{{label|ja|年}} -| rdfs:domain = SoccerPlayer -| rdfs:range = xsd:gYear -}}OntologyProperty:YouthClub2021589514392016-08-16T07:31:49Z -{{ObjectProperty +{{label|ur|ڈینس سکور}} +| rdfs:domain = شخص +| rdfs:range = xsd:string +}}OntologyProperty:کل علاقے کی درجہ بندی20214252590652022-06-21T18:36:22Z{{ DatatypeProperty +|labels={{label|ur|کل علاقے کی درجہ بندی}} + + | rdfs:domain = آبادی والی جگہ + | rdfs:range = xsd:positiveInteger + +}}OntologyProperty:کپ سالانہ بین الاقوامی ٹیم ٹینس مقابلہ کے لئے نوازا20214155588372022-06-20T12:04:28Z{{DatatypeProperty | labels = - {{label|en|youth club}} - {{label|de|Jugendclub}} - {{label|sr|омладински клуб}} - {{label|nl|jeugdclub}} - {{label|ja|ユースクラブ}} -| rdfs:domain = Athlete -| rdfs:range = SportsTeam -| rdfs:subPropertyOf = dul:isMemberOf -}}OntologyProperty:YouthWing2023346366842014-07-08T14:28:05Z -{{ObjectProperty -| rdfs:label@en = youth wing -| rdfs:label@sr = омладинско крило -| rdfs:label@pt = ala jovem -| rdfs:domain = PoliticalParty -| rdfs:subPropertyOf = dul:hasPart -}}OntologyProperty:YouthYears2021590514432016-08-16T07:36:12Z{{DatatypeProperty -| rdfs:label@en = youth years -| rdfs:label@de = Jugendjahre -| rdfs:label@sr = омладинске године -| rdfs:label@ja = ユース年 -| rdfs:domain = SoccerPlayer -| rdfs:range = xsd:gYear -}}OntologyProperty:Zdb2025093303112014-01-21T09:26:54Z{{DatatypeProperty - |rdfs:label@en=zdb - |rdfs:label@sr=zdb - |rdfs:comment@en=Identifier for serial titles. More precise than issn - |rdfs:comment@sr=zdb је серијски број који се користи за индетификацију. Прецизнији је од issn. - |rdfs:domain=PeriodicalLiterature - |rdfs:range= xsd:string -}}OntologyProperty:ZipCode2027289527812018-01-23T15:05:06Z{{DatatypeProperty +{{label|en|davis cup}} +{{{label|ur| کپ سالانہ بین الاقوامی ٹیم ٹینس مقابلہ کے لئے نوازا}} + + +| rdfs:domain = ٹینس کا کھلاڑی +| rdfs:range = xsd:string +}}OntologyProperty:یونانی لفظ سے ماخُوذ20214183589092022-06-20T16:00:55Z{{DatatypeProperty | labels = -{{label|sr|Поштански код}} -{{label|en|zip code}} -{{label|el|ταχυδρομικός κώδικας}} -{{label|de| Postleitzahl}} -{{label|gl|código postal}} -{{label|nl|postcode}} -| rdfs:domain = PopulatedPlace + +{{label|ur|یونانی لفظ سے ماخُوذ }} + +| rdfs:domain = کھلی بھیڑ | rdfs:range = xsd:string -| rdfs:subPropertyOf = postalCode -| rdf:type =owl:FunctionalProperty -| owl:equivalentProperty = wikidata:P281 -}}OntologyProperty:ZodiacSign20210476488522015-09-08T18:06:20Z{{ObjectProperty -| rdfs:label@en = zodiac sign -| rdfs:label@gl = signo zodiacal -| rdfs:label@bg = зодия -| rdfs:comment@en = Zodiac Sign. Applies to persons, planets, etc -| rdfs:comment@bg = Зодиакален знак. Приложимо за хора, планети и пр +| comments = + + }} \ No newline at end of file diff --git a/pom.xml b/pom.xml index d260087fbe..18d1eab0a4 100644 --- a/pom.xml +++ b/pom.xml @@ -61,6 +61,7 @@ scripts dump server +