您的位置:首页 > 编程语言 > Java开发

自己动手写搜索引擎(常搜吧历程三#搜索#)(Java、Lucene、hadoop)

2013-03-17 17:58 696 查看
Lucene的常用检索类

1、IndexSercher:检索操作的核心组件,用于对IndexWriter创建的索引执行,只读的检索操作,工作模式为接受Query对象而返回ScoreDoc对象。

2、Term:检索的基本单元,标示检索的字段名称和检索对象的值,如Term("title", "lucene")。即表示在title字段中搜索关键词lucene。

3、Query:表示查询的抽象类,由相应的Term来标识。

4、TermQuery:最基本的查询类型,用于匹配含有制定值字段的文档。

5、TopDoc:保存查询结果的类。

6、ScoreDoc(Hits):用来装载搜索结果文档队列指针的数组容器。

我们先新建一个索引类:

package com.qianyan.luceneIndex;

import java.io.IOException;

import org.apache.lucene.analysis.Analyzer;
import org.apache.lucene.analysis.standard.StandardAnalyzer;
import org.apache.lucene.document.Document;
import org.apache.lucene.document.Field;
import org.apache.lucene.index.IndexWriter;
import org.apache.lucene.store.Directory;
import org.apache.lucene.store.FSDirectory;

public class IndexTest {

public static void main(String[] args) throws IOException{

String[] ids = {"1", "2", "3", "4"};
String[] names = {"zhangsan", "lisi", "wangwu", "zhaoliu"};
String[] addresses = {"shanghai", "beijing", "guangzhou", "nanjing"};
String[] birthdays = {"19820720", "19840203", "19770409", "19830130"};
Analyzer analyzer = new StandardAnalyzer();
String indexDir = "E:/luceneindex";
Directory dir = FSDirectory.getDirectory(indexDir);
//true 表示创建或覆盖当前索引;false 表示对当前索引进行追加
//Default value is 128
IndexWriter writer = new IndexWriter(dir, analyzer, true, IndexWriter.MaxFieldLength.LIMITED);
for(int i = 0; i < ids.length; i++){
Document document = new Document();
document.add(new Field("id", ids[i], Field.Store.YES, Field.Index.ANALYZED));
document.add(new Field("name", names[i], Field.Store.YES, Field.Index.ANALYZED));
document.add(new Field("address", addresses[i], Field.Store.YES, Field.Index.ANALYZED));
document.add(new Field("birthday", birthdays[i], Field.Store.YES, Field.Index.ANALYZED));
writer.addDocument(document);
}
writer.optimize();
writer.close();
}

}


下面来看简答的检索类:

package com.qianyan.lucene;

import java.io.IOException;

import org.apache.lucene.document.Document;
import org.apache.lucene.index.Term;
import org.apache.lucene.search.BooleanClause;
import org.apache.lucene.search.BooleanQuery;
import org.apache.lucene.search.IndexSearcher;
import org.apache.lucene.search.ScoreDoc;
import org.apache.lucene.search.TermQuery;
import org.apache.lucene.search.FuzzyQuery;
import org.apache.lucene.search.RangeQuery;
import org.apache.lucene.search.PrefixQuery;
import org.apache.lucene.search.TopDocs;
import org.apache.lucene.search.WildcardQuery;
import org.apache.lucene.store.Directory;
import org.apache.lucene.store.FSDirectory;

public class TestSeacher {

public static void main(String[] args) throws IOException {
String indexDir = "E:/luceneindex";
Directory dir = FSDirectory.getDirectory(indexDir);
IndexSearcher searcher = new IndexSearcher(dir);
ScoreDoc[] hits = null;

Term term = new Term("id", "2");
TermQuery query = new TermQuery(term);
TopDocs topDocs = searcher.search(query, 5);

/* 范围检索: 19820720 - 19830130 。 true表示包含首尾
Term beginTerm = new Term("bithday", "19820720");
Term endTerm = new Term("bithday", "19830130");
RangeQuery rangeQuery = new RangeQuery(beginTerm, endTerm, true);
TopDocs topDocs = searcher.search(rangeQuery, 5);
*/

/* 前缀检索:
Term term = new Term("name", "z");
PrefixQuery preQuery = new PrefixQuery(term);
TopDocs topDocs = searcher.search(preQuery, 5);
*/

/* 模糊查询:例如查找name为zhangsan的数据,那么name为zhangsun、zhangsin也会被查出来
Term term = new Term("name", "zhangsan");
FuzzyQuery fuzzyQuery = new FuzzyQuery(term);
TopDocs topDocs = searcher.search(fuzzyQuery, 5);
*/

/* 匹配通配符: * 任何条件 ?占位符
Term term = new Term("name", "*g??");
WildcardQuery wildcardQuery = new WildcardQuery(term);
TopDocs topDocs = searcher.search(wildcardQuery, 5);
*/

/* 多条件联合查询
Term nterm = new Term("name", "*g??");
WildcardQuery wildcardQuery = new WildcardQuery(nterm);

Term aterm = new Term("address", "nanjing");
TermQuery termQuery = new TermQuery(aterm);

BooleanQuery query = new BooleanQuery();
query.add(wildcardQuery, BooleanClause.Occur.MUST); //should表示"或" must表示"必须"
query.add(termQuery, BooleanClause.Occur.MUST);

TopDocs topDocs = searcher.search(query, 10);
*/

hits = topDocs.scoreDocs;

for(int i = 0; i < hits.length; i++){
Document doc = searcher.doc(hits[i].doc);
//System.out.println(hits[i].score);
System.out.print(doc.get("id") + " ");
System.out.print(doc.get("name") + " ");
System.out.print(doc.get("address") + " ");
System.out.println(doc.get("birthday") + " ");
}

searcher.close();
dir.close();
}
}


下面我们来看一个全文索引的案例,data.txt 见文章最下面。首先我们建立对文章的索引:

package com.qianyan.lucene;

import java.io.File;
import java.io.FileReader;
import java.io.IOException;

import org.apache.lucene.analysis.Analyzer;
import org.apache.lucene.analysis.standard.StandardAnalyzer;
import org.apache.lucene.document.Document;
import org.apache.lucene.document.Field;
import org.apache.lucene.index.IndexWriter;
import org.apache.lucene.store.Directory;
import org.apache.lucene.store.FSDirectory;

public class TestFileReaderForIndex{

public static void main(String[] args) throws IOException{
File file = new File("E:/data.txt");
FileReader fRead = new FileReader(file);
char[] chs = new char[60000];
fRead.read(chs);

String strtemp = new String(chs);
String[] strs = strtemp.split("Database: Compendex");

System.out.println(strs.length);
for(int i = 0; i < strs.length; i++)
strs[i] = strs[i].trim();

Analyzer analyzer = new StandardAnalyzer();
String indexDir = "E:/luceneindex";
Directory dir = FSDirectory.getDirectory(indexDir);

IndexWriter writer = new IndexWriter(dir, analyzer, false, IndexWriter.MaxFieldLength.UNLIMITED);

for(int i = 0; i < strs.length; i++){
Document document = new Document();
document.add(new Field("contents", strs[i], Field.Store.YES, Field.Index.ANALYZED));
writer.addDocument(document);
}

writer.optimize();
writer.close();
dir.close();
System.out.println("index ok!");
}
}


对上述追加索引进行简单搜索:

package com.qianyan.lucene;

import java.io.IOException;

import org.apache.lucene.document.Document;
import org.apache.lucene.index.Term;
import org.apache.lucene.search.IndexSearcher;
import org.apache.lucene.search.ScoreDoc;
import org.apache.lucene.search.TermQuery;
import org.apache.lucene.search.TopDocs;
import org.apache.lucene.store.Directory;
import org.apache.lucene.store.FSDirectory;

public class TestSeacher2 {

public static void main(String[] args) throws IOException {
String indexDir = "E:/luceneindex";
Directory dir = FSDirectory.getDirectory(indexDir);
IndexSearcher searcher = new IndexSearcher(dir);
ScoreDoc[] hits = null;

Term term = new Term("contents", "ontology");
TermQuery query = new TermQuery(term);
TopDocs topDocs = searcher.search(query, 126);

hits = topDocs.scoreDocs;

for(int i = 0; i < hits.length; i++){
Document doc = searcher.doc(hits[i].doc);
System.out.print(hits[i].score);
System.out.println(doc.get("contents"));
}

searcher.close();
dir.close();
}
}


好了,简单的检索方式就介绍这些 。

data.txt 内容如下 :

1. Modeling the adsorption of CD(II) onto Muloorina illite and related clay minerals

Lackovic, Kurt (La Trobe University, P.O. Box 199, Bendigo, Vic. 3552, Australia) Angove, Michael J. Wells, John D. Johnson, Bruce B. Source: Journal of Colloid and Interface Science, v 257, n 1, p 31-40, 2003

Database: Compendex

2. Experimental Study of the Adsorption of an Ionic Liquid onto Bacterial and Mineral Surfaces

Gorman-Lewis, Drew J. (Civ. Eng. and Geological Sciences, University of Notre Dame, Notre Dame, IN 46556-0767, United States) Fein, Jeremy B. Source: Environmental Science and Technology, v 38, n 8, p 2491-2495, April 15, 2004

Database: Compendex

3. Grafting of hyperbranched polymers onto ultrafine silica: Postgraft polymerization of vinyl monomers initiated by pendant initiating groups of polymer chains grafted onto the surface

Hayashi, Shinji (Grad. Sch. of Science and Technology, Niigata Univ., 8050, I., Niigata, Japan) Fujiki, Kazuhiro Tsubokawa, Norio Source: Reactive and Functional Polymers, v 46, n 2, p 193-201, December 2000

Database: Compendex

4. The influence of pH, electrolyte type, and surface coating on arsenic(V) adsorption onto kaolinites

Cornu, Sophie (Unité de Sciences du Sol, INRA d'Orléans, av. de la Pomme de pin, Ardon, 45166 Olivet Cedex, France) Breeze, Dominique Saada, Alain Baranger, Philippe Source: Soil Science Society of America Journal, v 67, n 4, p 1127-1132, July/August 2003

Database: Compendex

5. Adsorption behavior of statherin and a statherin peptide onto hydroxyapatite and silica surfaces by in situ ellipsometry

Santos, Olga (Biomedical Laboratory Science and Biomedical Technology, Faculty of Health and Society, Malm? University, SE-20506 Malm?, Sweden) Kosoric, Jelena Hector, Mark Prichard Anderson, Paul Lindh, Liselott Source: Journal of Colloid and Interface
Science, v 318, n 2, p 175-182, Febrary 15, 2008

Database: Compendex

6. Sorption of surfactant used in CO2 flooding onto five minerals and three porous media

Grigg, R.B. (SPE, New Mexico Recovery Research Center) Bai, B. Source: Proceedings - SPE International Symposium on Oilfield Chemistry, p 331-342, 2005, SPE International Symposium on Oilfield Chemistry Proceedings

Database: Compendex

7. Influence of charge density, sulfate group position and molecular mass on adsorption of chondroitin sulfate onto coral

Volpi, Nicola (Department of Animal Biology, Biological Chemistry, University of Modena and Reggio Emilia, Via Campi 213/d, 41100 Modena, Italy) Source: Biomaterials, v 23, n 14, p 3015-3022, 2002

Database: Compendex

8. Kinetic consequences of carbocationic grafting and blocking from and onto

Ivan, Bela (Univ of Akron, United States) Source: Polymer Bulletin, v 20, n 4, p 365-372, Oct

Database: Compendex

9. Assemblies of concanavalin A onto carboxymethylcellulose

Castro, Lizandra B.R. (Instituto de Química, Universidade de S?o Paulo, Av. Prof. Lineu Prestes 748, 05508-900, S?o Paulo, Brazil) Petri, Denise F.S. Source: Journal of Nanoscience and Nanotechnology, v 5, n 12, p 2063-2069, December 2005

Database: Compendex

10. Surface grafting of polymers onto glass plate: Polymerization of vinyl monomers initiated by initiating groups introduced onto the surface

Tsubokawa, Norio (Niigata Univ, Niigata, Japan) Satoh, Masayoshi Source: Journal of Applied Polymer Science, v 65, n 11, p 2165-2172, Sep 12

Database: Compendex

11. Photografting of vinyl polymers onto ultrafine inorganic particles: photopolymerization of vinyl monomers initiated by azo groups introduced onto these surfaces

Tsubokawa, Norio (Niigata Univ, Niigata, Japan) Shirai, Yukio Tsuchida, Hideyo Handa, Satoshi Source: Journal of Polymer Science, Part A: Polymer Chemistry, v 32, n 12, p 2327-2332, Sept

Database: Compendex

12. Graft polymerization of methyl methacrylate initiated by pendant azo groups introduced onto γ-poly (glutamic acid)

Tsubokawa, Norio (Niigata Univ, Niigita, Japan) Inagaki, Masatoshi Endo, Takeshi Source: Journal of Polymer Science, Part A: Polymer Chemistry, v 31, n 2, p 563-568, Feb

Database: Compendex

13. The sorption of thorium and Americium onto fresh and degraded ordinary portland cement and onto green tuff

Cowper, Mark M. (Serco Assurance, Walton House, Birchwood Park, Warrington, Cheshire, WA3 6AT, United Kingdom) Baker, Sarah Chambers, Adam V. Heath, Timothy G. Mihara, Morihiro Williams, Stephen J. Source: Materials Research Society Symposium Proceedings,
v 932, p 925-932, 2006, 29th International Symposium on the Scientific Basis for Nuclear Waste Management XXIX

Database: Compendex

14. Projection of climate change onto modes of atmospheric variability

Stone, D.A. (School of Earth and Ocean Sciences, University of Victoria, P.O. Box 3055, Victoria, BC V8W 3P6, Canada) Weaver, A.J. Stouffer, R.J. Source: Journal of Climate, v 14, n 17, p 3551-3565, September 1, 2001

Database: Compendex

15. Sorption characteristics of pentachlorophenol onto Fe oxides extracted from the surficial sediments

Li, Yu (Energy and Environmental Research Center, North China Electric Power University, Beijing 102206, China) Wang, Ting Wang, Xiaoli Source: 2nd International Conference on Bioinformatics and Biomedical Engineering, iCBBE 2008, p 3035-3038, 2008, 2nd International
Conference on Bioinformatics and Biomedical Engineering, iCBBE 2008

Database: Compendex

16. Postprocessing for vector-quantized images based on projection onto hypercubes

Dong Sik Kim (Sch. of Electronics and Info. Eng., Hankuk University of Foreign Studies, Yongin, Kyonggi-do 449-791, Korea, Republic of) Seop Hyeong Park Source: IEEE Transactions on Circuits and Systems for Video Technology, v 11, n 7, p 802-814, July 2001

Database: Compendex

17. Grafting of polymers with controlled molecular weight onto carbon black surface

Yoshikawa, Sachio (Niigata Univ, Niigata, Japan) Tsubokawa, Norio Source: Polymer Journal, v 28, n 4, p 317-322, 1996

Database: Compendex

18. Grafting of zwitterion-type polymers onto silica gel surface and their properties

Arasawa, Hiroko (Grad. Sch. of Science and Technology, Niigata University, 8050 Ikarashi 2-no-cho, Niigata 950-2181, Japan) Odawara, Chiharu Yokoyama, Ruriko Saitoh, Hiroshi Yamauchi, Takeshi Tsubokawa, Norio Source: Reactive and Functional Polymers, v
61, n 2, p 153-161, September 2004

Database: Compendex

19. ADSORPTION OF BOVINE SERUM ALBUMIN ONTO STYRENE/2-HYDROXYETHYL METHACRYLATE COPOLYMER LATEX.

Shirahama, Hiroyuki (Hiroshima Univ, Dep of Applied, Chemistry, Hiroshima, Jpn, Hiroshima Univ, Dep of Applied Chemistry, Hiroshima, Jpn) Suzawa, Toshiro Source: Journal of Colloid and Interface Science, v 104, n 2, p 416-421, Apr

Database: Compendex

20. Effects of low-molecular-weight organic acids on Cu(II) adsorption onto hydroxyapatite nanoparticles

Wang, Yu-Jun (State Key Laboratory of Soil and Sustainable Agriculture, Institute of Soil Science, Chinese Academy of Sciences, Nanjing, 210008, China) Chen, Jie-Hua Cui, Yu-Xia Wang, Shen-Qiang Zhou, Dong-Mei Source: Journal of Hazardous Materials, v 162,
n 2-3, p 1135-1140, March 15, 2009

Database: Compendex

21. Trace metal adsorption onto an acid mine drainage iron(III) oxy hydroxy sulfate

Webster, Jenny G. (Inst. of Environ. Sci. and Research, Private Bag 92021, Auckland, New Zealand) Swedlund, Peter J. Webster, Kerry S. Source: Environmental Science and Technology, v 32, n 10, p 1361-1368, May 15, 1998

Database: Compendex

22. New algorithm of projection onto narrow quantization constraint set for postprocessing of quantized images

Roh, Kyu-chan (Korea Advanced Inst of Science and, Technology, Taejeon, Korea, Republic of) Kim, Jae-kyoon Source: IEEE International Conference on Image Processing, v 3, p 499-502, 1999

Database: Compendex

23. Adhesion of two bacteria onto dolomite and apatite: Their effect on dolomite depression in anianic flotation

Zheng, X. (Dept. Chem./Metallurgical Eng., University of Nevada, Reno, NV 89557, United States) Arps, P.J. Smith, R.W. Source: International Journal of Mineral Processing, v 62, n 1-4, p 159-172, May 2001, Minerals Bioprocessing IV Conference Stockholm, Sweden

Database: Compendex

24. Role of serum vitronectin and fibronectin in adhesion of fibroblasts following seeding onto tissue culture polystyrene

Steele, J.G. (Laboratory for Molecular Biology, Division of Biomolecular Engineering, CSIRO, P.O. Box 184, North Ryde, NSW 2113, Australia) Johnson, G. Underwood, P.A. Source: Journal of Biomedical Materials Research, v 26, n 7, p 861-884, Jul

Database: Compendex

25. Elucidation of dominant effect on initial bacterial adhesion onto polymer surfaces prepared by radiation-induced graft polymerization

Terada, Akihiko (Department of Chemical Engineering, Waseda University, Ohkubo 3-4-1, Shinjuku-ku, Tokyo 169-8555, Japan) Yuasa, Atsushi Tsuneda, Satoshi Hirata, Akira Katakai, Akio Tamada, Masao Source: Colloids and Surfaces B: Biointerfaces, v 43, n
2, p 99-107, June 25, 2005

Database: Compendex

26. An ontology-assisted analysis in aligning business process with e-commerce standards

Seng, Jia-Lang (Stanford University, Stanford, CA, United States) Lin, Woodstock Source: Industrial Management and Data Systems, v 107, n 3, p 415-437, 2007

Database: Compendex

27. Interoperable Petri net models via ontology

Ga?evic, Dragan (School of Interactive Arts and Technology, Simon Fraser University Surrey, 13450 102 Ave., Surrey, BC V3T 5X3, Canada) Devedzic, Vladan Source: International Journal of Web Engineering and Technology, v 3, n 4, p 374-396, 2007

Database: Compendex

28. Ontology-based automatic classification and ranking for web documents

Fang, Jun (Control and Networks Laboratory, School of Automation, Northwestern Polytechnical University, China) Guo, Lei Wang, XiaoDong Yang, Ning Source: Proceedings - Fourth International Conference on Fuzzy Systems and Knowledge Discovery, FSKD 2007,
v 3, p 627-631, 2007, Proceedings - Fourth International Conference on Fuzzy Systems and Knowledge Discovery, FSKD 2007

Database: Compendex

29. Modeling and analysis of an ontology of engineeirng design activities using the design structure matrix

Kumar, Pavan (Department of Mechanical Engineering, Clemson University, Clemson, SC 29634) Mocko, Gregory Source: 2007 Proceedings of the ASME International Design Engineering Technical Conferences and Computers and Information in Engineering Conference, DETC2007,
v 3 PART A, p 559-571, 2008, 2007 Proceedings of the ASME International Design Engineering Technical Conferences and Computers and Information in Engineering Conference, DETC2007

Database: Compendex

30. Product configuration knowledge modeling using ontology web language

Yang, Dong (Department of Industrial Engineering and Management, Shanghai Jiao Tong University, 800 Dong Chuan Road, 200240 Shanghai, China) Miao, Rui Wu, Hongwei Zhou, Yiting Source: Expert Systems with Applications, v 36, n 3 PART 1, p 4399-4411, April
2009

Database: Compendex

31. Ontology model-based static analysis on java programs

Yu, Lian (School of Software and Microelectronics, Peking University, Beijing, China) Zhou, Jun Yi, Yue Li, Ping Wang, Qianxiang Source: Proceedings - International Computer Software and Applications Conference, p 92-99, 2008, Proceedings - 32nd Annual
IEEE International Computer Software and Applications Conference, COMPSAC 2008

Database: Compendex

32. Study on construction and application of product requirement design ontology

Jiang, Liang (Sch. of Mech. Eng., Dalian Univ. of Technol., China) Qu, Fuzheng Source: IET Conference Publications, n 524, p 96-101, 2006, International Technology and Innovation Conference 2006, ITIC 2006

Database: Compendex

33. Ontology agent based rule base fuzzy cognitive maps

Pe?a, Alejandro (WOLNM, 31 Julio 1859, # 1099B, Leyes Reforma, DF, 09310, Mexico) Sossa, Humberto Gutierrez, Francisco Source: Lecture Notes in Computer Science (including subseries Lecture Notes in Artificial Intelligence and Lecture Notes in Bioinformatics),
v 4496 LNAI, p 328-337, 2007, Agent and Multi-Agent Systems: Technologies and Applications - First KES International Symposium, KES-AMSTA 2007, Proceedings

Database: Compendex

34. Effectiveness of UMLS semantic network as a seed ontology for building a medical domain ontology

Na, Jin-Cheon (Division of Information Studies, Wee Kim Wee School of Communication and Information, Nanyang Technological University, Singapore, Singapore) Neoh, Hock Leng Source: Aslib Proceedings: New Information Perspectives, v 60, n 1, p 32-46, 2008

Database: Compendex

35. A fuzzy ontology generation framework for handling uncertainties and non-uniformity in domain knowledge description

Abulaish, Muhammad (IEEE) Dev, Lipika Source: Proceedings - International Conference on Computing: Theory and Applications, ICCTA 2007, p 287-292, 2007, Proceedings - International Conference on Computing: Theory and Applications, ICCTA 2007

Database: Compendex

36. Master: An intelligent ontology-based multi-agent system for sightseer

Lam, Toby H. W. (Department of Computing, Hong Kong Polytechnic University, Kowloon, Hung Hom, Hong Kong) Liu, James N. K. Lee, Raymond S. T. Source: International Journal of Software Engineering and Knowledge Engineering, v 19, n 2, p 137-147, March 2009

Database: Compendex

37. Internal structure and semantic web link structure based ontology ranking

Rajapaksha, Samantha K. (Department of Information Technology, Sri Lanka Institute of Information Technology, New Kandy Road, Malabe, Sri Lanka) Kodagoda, Nuwan Source: Proceedings of the 2008 4th International Conference on Information and Automation for
Sustainability, ICIAFS 2008, p 86-90, 2008, Proceedings of the 2008 4th International Conference on Information and Automation for Sustainability, ICIAFS 2008

Database: Compendex

38. Based on ontology: Construction and application of medical knowledge base

Binfeng, Xu (Bioengineering College, Chongqing University, Chongqing 400044, China) Xiaogang, Luo Chenglin, Peng Qian, Huang Source: 2007 IEEE/ICME International Conference on Complex Medical Engineering, CME 2007, p 1586-1589, 2007, 2007 IEEE/ICME International
Conference on Complex Medical Engineering, CME 2007

Database: Compendex

39. Towards a multiple ontology framework for requirements elicitation and reuse

Li, Zong-Yong (Institute of Command Automation, PLA Univ. of Sci. and Tech., Nanjing 210007, China) Wang, Zhi-Xue Yang, Ying-Ying Wu, Yue Liu, Ying Source: Proceedings - International Computer Software and Applications Conference, v 1, p 189-195, 2007,
Proceedings - 31st Annual International Computer Software and Applications Conference, COMPSAC 2007

Database: Compendex

40. Study on integration methods for project management system based on ontology

Xing, Sun (College of Software, Yunnan University, Yunnan, China) Hua, Zhou Hongzhi, Liao Zhihong, Liang Junhui, Liu Source: 2008 International Conference on Wireless Communications, Networking and Mobile Computing, WiCOM 2008, 2008, 2008 International
Conference on Wireless Communications, Networking and Mobile Computing, WiCOM 2008

Database: Compendex

41. Structure-based ontology evaluation

Huang, Ning (Beihang University, School of Computer Science and Engineering, Beijing, China) Diao, Shihan Source: Proceedings - IEEE International Conference on e-Business Engineering, ICEBE 2006, p 132-137, 2006, Proceedings - IEEE International Conference
on e-Business Engineering, ICEBE 2006

Database: Compendex

42. A manufacturing system engineering ontology model on the semantic web for inter-enterprise collaboration

Lin, H.K. (Department of Industrial Engineering and Management, I-Shou University, Kaohsiung, Taiwan) Harding, J.A. Source: Computers in Industry, v 58, n 5, p 428-437, June 2007

Database: Compendex

43. Ontology mapping approach using web search engine

Li, Keyue (School of Computer Science and Engineering, Southeast University, Nanjing 210096, China) Xu, Baowen Wang, Peng Source: Journal of Southeast University (English Edition), v 23, n 3, p 352-356, September 2007

Database: Compendex

44. Agent negotiation based ontology refinement process and mechanisms for service applications

Li, Li (CSIRO ICT Centre, GPO Box 664, Canberra, ACT 2601, Australia) Yang, Yun Source: Service Oriented Computing and Applications, v 2, n 1, p 15-25, April 2008

Database: Compendex

45. Question answering based on pervasive agent ontology and Semantic Web

Guo, Qinglin (Department of Computer Science and Technology, Peking University, Beijing, 100871, China) Zhang, Ming Source: Knowledge-Based Systems, v 22, n 6, p 443-448, August 2009

Database: Compendex

46. Vector space model based automatic Web ontology classification method

Wang, Ke (School of Computer Science and Engineering, Southeast University, Nanjing 210096, China) Source: Huazhong Keji Daxue Xuebao (Ziran Kexue Ban)/Journal of Huazhong University of Science and Technology (Natural Science Edition), v 35, n SUPPL. 2, p 157-159,
October 2007 Language: Chinese

Database: Compendex

47. A study on the web ontology processing system

Park, Cheonshu (Knowledge and Inference Research Team, ETRI) Shon, Joochan Source: The 7th International Conference on Advanced Communication Technology, ICACT 2005, v 2, p 1035-1038, 2005, The 7th International Conference on Advanced Communication Technology,
ICACT 2005

Database: Compendex

48. Ontology: Its transformation from philosophy to information systems

Zú?iga, Gloria L. (Acton Institute, 161 Ottawa NW, Grand Rapids, MI 49503, United States) Source: Formal Ontology in Information Systems: Collected Papers from the Second International Conference, p 187-197, 2001

Database: Compendex

49. Cooperative design based on ontology

Wang, Shanli (Center of the Network Tianjin Polytechnic University, Tianjin 300160, China) Source: 2008 3rd IEEE Conference on Industrial Electronics and Applications, ICIEA 2008, p 943-947, 2008, 2008 3rd IEEE Conference on Industrial Electronics and Applications,
ICIEA 2008

Database: Compendex

50. Dynamic sub-ontology evolution for traditional Chinese medicine web ontology

Mao, Yuxin (School of Computer Science, Zhejiang University, Hangzhou, Zhejiang 310027, China) Wu, Zhaohui Tian, Wenya Jiang, Xiaohong Cheung, William K. Source: Journal of Biomedical Informatics, v 41, n 5, p 790-805, October 2008

Database: Compendex

51. Towards the development of community ontology

Siddiqui, Muhammad Shahab (GSESIT, FEST, Hamdard University, Karachi) Shaikh, Zubair A. Memon, Abdul Rahman Source: IEEE INMIC 2008: 12th IEEE International Multitopic Conference - Conference Proceedings, p 357-360, 2008

Database: Compendex

52. Developing application specific ontology for program comprehension by combining domain ontology with code ontology

Zhou, Hong (Software Technology Research Laboratory, De Montfort University, Leicester, United Kingdom) Chen, Feng Yang, Hongji Source: Proceedings - International Conference on Quality Software, p 225-234, 2008, Proceedings - 8th International Conference
on Quality Software, QSIC 2008

Database: Compendex

53. A Chinese time ontology

Zhang, Chunxia (School of Computer Science and Technology, Beijing Institute of Technology, Beijing 100081, China) Cao, Cungen Sui, Yuefei Niu, Zhendong Source: Lecture Notes in Computer Science (including subseries Lecture Notes in Artificial Intelligence
and Lecture Notes in Bioinformatics), v 4798 LNAI, p 575-580, 2007, Knowledge Science, Engineering and Management - Second International Conference, KSEM 2007, Proceedings

Database: Compendex

54. Analysis and representation on workshop-oriented domain ontology

Shi, Chunjing (Mechanical Engineering and Automation, Northeastern University, Shenyang, China) Liu, YongXian Hao, YongPing Source: Proceedings - International Symposium on Computer Science and Computational Technology, ISCSCT 2008, v 2, p 180-185, 2008,
Proceedings - International Symposium on Computer Science and Computational Technology, ISCSCT 2008

Database: Compendex

55. Domain knowledge resource management based on sub-ontology

Mao, Yu-Xin (CCNT Lab., School of Computer Science, Zhejiang University, Hangzhou 310027, China) Chen, Hua-Jun Jiang, Xiao-Hong Source: Jisuanji Jicheng Zhizao Xitong/Computer Integrated Manufacturing Systems, CIMS, v 14, n 7, p 1434-1440, July 2008 Language:
Chinese

Database: Compendex

56. A survey on ontology mapping

Choi, Namyoun (College of Information Science and Technology, Drexel University, Philadelphia, PA 19014) Song, Il-Yeol Han, Hyoil Source: SIGMOD Record, v 35, n 3, p 34-41, 2006

Database: Compendex

57. Research of plant domain knowledge model based on ontology

Fan, Jing (Institute of Software, Zhejiang University of Technology, Hangzhou, 310014, China) Zhang, Xin-Pei Dong, Tian-Yang Source: 3rd International Conference on Innovative Computing Information and Control, ICICIC'08, 2008, 3rd International Conference
on Innovative Computing Information and Control, ICICIC'08

Database: Compendex

58. Research on topic maps based on Web knowledge ontology

Kong, Deyu (School of Economy and Management, Beijing University of Aeronautics and Astronautics, Beijing 100191, China) Liu, Yide Liu, Lu Source: Dongnan Daxue Xuebao (Ziran Kexue Ban)/Journal of Southeast University (Natural Science Edition), v 38, n SUPPL.
1, p 280-283, September 2008 Language: Chinese

Database: Compendex

59. Novel approach for construction of IS-based domain ontology

Zhang, Yong (College of Computer and Communication, Lanzhou University of Technology, Lanzhou 730050, China) Li, Jingming Yang, Yongfeng Source: Journal of Computational Information Systems, v 4, n 1, p 203-210, February 2008

Database: Compendex

60. Semantic inconsistency errors in ontology

Fahad, Muhammad (Mohammad Ali Jinnah University, Islamabad, Pakistan) Qadir, Muhammad Abdul Noshairwan, Muhammad Wajahaat Source: Proceedings - 2007 IEEE International Conference on Granular Computing, GrC 2007, p 283-286, 2007, Proceedings - 2007 IEEE International
Conference on Granular Computing, GrC 2007

Database: Compendex

61. A context-based enterprise ontology

Lepp?nen, Mauri (Department of Computer Science and Information Systems, University of Jyv?skyl?, P.O. Box 35 (Agora), FI-40014 Jyv?skyl?, Finland) Source: Lecture Notes in Computer Science (including subseries Lecture Notes in Artificial Intelligence and Lecture
Notes in Bioinformatics), v 4439 LNCS, p 273-286, 2007, Business Information Systems - 10th International Conference, BIS 2007, Proceedings

Database: Compendex

62. Utilizing association relationship for selecting a relevant portion of an ontology

Ahmad, Mohammad Nazir (School of ITEE and Electrical Engineering, University of Queensland) Colomb, Robert M. Sadiq, Shazia Source: 5th International Conference on Information Technology and Applications, ICITA 2008, p 315-320, 2008, 5th International Conference
on Information Technology and Applications, ICITA 2008

Database: Compendex

63. Developing a framework for integration flexible manufacturing systems based on ontology

Zhou, Gui-Xian (School of Mechanical Engineer, SouthWest Jiaotong University, Sichuan, Chengdu, 610031, China) Xie, Qing-Sheng Source: 2008 3rd IEEE Conference on Industrial Electronics and Applications, ICIEA 2008, p 1325-1328, 2008, 2008 3rd IEEE Conference
on Industrial Electronics and Applications, ICIEA 2008

Database: Compendex

64. Construction method of knowledge base based on fuzzy and modular ontology

Li, Qiu (Center for Advanced Design Technology, Dalian University, Dalian 116622, China) Jianwei, Wang Xiaopeng, Wei Source: Proceedings - 2008 Pacific-Asia Workshop on Computational Intelligence and Industrial Application, PACIIA 2008, v 2, p 70-74, 2008,
Proceedings - 2008 Pacific-Asia Workshop on Computational Intelligence and Industrial Application, PACIIA 2008

Database: Compendex

65. Application services based on personal data ontology

Chen, Yu-Chen (Department of Computer Science, National Chung-Hsing University, Taichung, Taiwan) Kao, Shang-Juh Source: Proceedings - 5th IEEE/ACIS Int. Conf. on Comput. and Info. Sci., ICIS 2006. In conjunction with 1st IEEE/ACIS, Int. Workshop Component-Based
Software Eng., Softw. Archi. and Reuse, COMSAR 2006, v 2006, p 280-285, 2006, Proceedings - 5th IEEE/ACIS International Conference on Computer and Information Science, ICIS 2006. In conjunction with 1st IEEE/ACIS International Workshop on Component-Based Software
Engineering, S

Database: Compendex

66. Research on tree segmentation-based ontology mapping

Liansheng, Li (Hunan University of Science and Engineering, Yongzhou, Hunan, China) Lihui, Huang Qinghua, Guan Dezhi, Xu Source: Proceedings - 2009 2nd International Workshop on Knowledge Discovery and Data Mining, WKKD 2009, p 89-92, 2009, 2009 2nd International
Workshop on Knowledge Discovery and Data Mining, WKKD 2009

Database: Compendex

67. Incremental ontology integration

Heer, Thomas (Department of Computer Science 3, RWTH Aachen University, Ahornstr. 55, 52074 Aachen, Germany) Retkowitz, Daniel Kraft, Bodo Source: ICEIS 2008 - Proceedings of the 10th International Conference on Enterprise Information Systems, v 1 ISAS, p
13-20, 2008, ICEIS 2008 - Proceedings of the 10th International Conference on Enterprise Information Systems

Database: Compendex

68. Semantics-driven ontology clustering

Zhang, Lei (Computer Application Institute, Nanjing University of Aeronautics and Astronautics, Nanjing 210016, China) Xie, Qiang Li, Ling-Zhi Ding, Qiu-Lin Source: Harbin Gongye Daxue Xuebao/Journal of Harbin Institute of Technology, v 40, n 7, p 1159-1164,
July 2008 Language: Chinese

Database: Compendex

69. An approach to detect collaborative conflicts for ontology development

Chen, Yewang (School of Computer Science, Fudan University, Shanghai 200433, China) Peng, Xin Zhao, Wenyun Source: Lecture Notes in Computer Science (including subseries Lecture Notes in Artificial Intelligence and Lecture Notes in Bioinformatics), v 5446,
p 442-454, 2009, Advances in Data and Web Management - Joint International Conferences, APWeb/WAIM 2009, Proceedings

Database: Compendex

70. Spatial temporal geographic ontology

Huang, Zhaoqiang (Institute of Remote Sensing and Geographical Information System, Peking University, Beijing 100871, China) Xuan, Wenling Chen, Xiuwan Source: International Geoscience and Remote Sensing Symposium (IGARSS), p 4627-4630, 2008, 2007 IEEE International
Geoscience and Remote Sensing Symposium, IGARSS 2007

Database: Compendex

71. Role of ontology editors: Ontology design

Suresh, Kamidi (M.Tech(IT) IVth Sem University, School of Information Technology, GGS Indraprastha University, Delhi, India) Malik, Sanjay Kumar Prakash, Nupur Sam, Rizvi Source: Proceedings of the 2008 International Conference on Semantic Web and Web Services,
SWWS 2008, p 64-68, 2008, Proceedings of the 2008 International Conference on Semantic Web and Web Services, SWWS 2008

Database: Compendex

72. Rules-driven enterprises interoperability ontology construction

Chen, Jia (Department of Computer Science and Engineering, University of Electronic Science and Technology of China, Chengdu 610054, China) Wu, Yue Source: Jisuanji Jicheng Zhizao Xitong/Computer Integrated Manufacturing Systems, CIMS, v 14, n 7, p 1427-1433,
July 2008 Language: Chinese

Database: Compendex

73. Enhanced search method for ontology classification

Kim, Je-Min (School of Computing, Soongsil University, 1-1, Sangdo-dong, Dongjak-Gu, Seoul, 156-743, Korea, Republic of) Kwon, Soon-Hyen Park, Young-Tack Source: Proceedings - 1st IEEE International Workshop on Semantic Computing and Applications, IWSCA 2008,
p 12-18, 2008, Proceedings - 1st IEEE International Workshop on Semantic Computing and Applications, IWSCA 2008

Database: Compendex

74. Cooperative recommendation based on ontology construction

Ge, Jike (Faculty of Computer and Information Science, Southwest University, Chongqing, China) Qiu, Yuhui Chen, Zuqin Source: Proceedings - International Conference on Computer Science and Software Engineering, CSSE 2008, v 1, p 301-304, 2008, Proceedings
- International Conference on Computer Science and Software Engineering, CSSE 2008

Database: Compendex

75. An editorial workflow approach for collaborative ontology development

Palma, Raúl (Ontology Engineering Group, Laboratorio de Inteligencia Artificial, Universidad Politécnica de Madrid, Spain) Haase, Peter Corcho, Oscar Gómez-Pérez, Asunción Ji, Qiu Source: Lecture Notes in Computer Science (including subseries Lecture Notes
in Artificial Intelligence and Lecture Notes in Bioinformatics), v 5367 LNCS, p 227-241, 2008, The Semantic Web - 3rd Asian Semantic Web Conference, ASWC 2008, Proceedings

Database: Compendex

76. Ontology modelling notations for software engineering knowledge representation

Wongthongtham, Pornpit (School of Information Systems, Curtin University of Technology, Perth, WA) Chang, Elizabeth Dillon, Tharam Source: Proceedings of the 2007 Inaugural IEEE-IES Digital EcoSystems and Technologies Conference, DEST 2007, p 339-345, 2007,
Proceedings of the 2007 Inaugural IEEE-IES Digital EcoSystems and Technologies Conference, DEST 2007

Database: Compendex

77. Model-driven ontology engineering

Pan, Yue (IBM China Research Lab., Beijing, China) Xie, Guotong Ma, Li Yang, Yang Qiu, ZhaoMing Lee, Juhnyoung Source: Lecture Notes in Computer Science (including subseries Lecture Notes in Artificial Intelligence and Lecture Notes in Bioinformatics),
v 4244 LNCS, p 57-78, 2006, Journal on Data Semantics VII

Database: Compendex

78. MENTOR - A methodology for enterprise reference ontology development

Sarraipa, Jo?o (UNINOVA - Instituto de Desenvolvimento de Novas Tecnologias, Campus FCT/UNL - Monte da Caparica, 2829-516 Caparica, Portugal) Silva, Jo?o P.M.A. Jardim-Gon?alves, Ricardo Monteiro, António A.C. Source: 2008 4th International IEEE Conference
Intelligent Systems, IS 2008, v 1, p 632-640, 2008, 2008 4th International IEEE Conference Intelligent Systems, IS 2008

Database: Compendex

79. A user guided iterative alignment approach for ontology mapping

Chen, D. (Lockheed Martin Advanced Technology Laboratories, Westlake Village, CA, United States) Lastusky, J. Starz, J. Hookway, S. Source: Proceedings of the 2008 International Conference on Semantic Web and Web Services, SWWS 2008, p 51-56, 2008, Proceedings
of the 2008 International Conference on Semantic Web and Web Services, SWWS 2008

Database: Compendex

80. Lightweight community-driven ontology evolution

Siorpaes, Katharina (Digital Enterprise Research Institute (DERI), University of Innsbruck, Austria) Source: Lecture Notes in Computer Science (including subseries Lecture Notes in Artificial Intelligence and Lecture Notes in Bioinformatics), v 4825 LNCS, p
951-955, 2007, The Semantic Web - 6th International Semantic Web Conference - 2nd Asian Semantic Web Conference, ISWC 2007 + ASWC 2007, Proceedings

Database: Compendex

81. Theory of ontology and land use ontology construction

Guofeng, Zhou (School of Geographic and Oceanographic Sciences, Nanjing University, Nanjing, 210093, China) Yongxue, Liu Junjie, Chao Chenhua, Shen Hui, Yang Source: Proceedings of SPIE - The International Society for Optical Engineering, v 6754, n PART
1, 2007, Geoinformatics 2007: Geospatial Information Technology and Applications

Database: Compendex

82. MDA-based automatic OWL ontology development

Ga?evic, Dragan (School of Interactive Arts and Technology, Simon Fraser University Surrey, 10153 King George Hwy., Surrey, BC V3T 2W1, Canada) Djuric, Dragan Devedzic, Vladan Source: International Journal on Software Tools for Technology Transfer, v 9, n
2, p 103-117, March 2007, Fundamental Approaches to Software Engineering

Database: Compendex

83. Rule definition for managing Ontology development

Ostrowski, David A. (System Analytics and Environmental Sciences Research and Advanced Engineering, Ford Motor Company) Source: Lecture Notes in Computer Science (including subseries Lecture Notes in Artificial Intelligence and Lecture Notes in Bioinformatics),
v 4824 LNCS, p 174-181, 2007, Advances in Rule Interchange and Applications - International Symposium, RuleML 2007, Proceedings

Database: Compendex

84. An ontology definition metamodel based ripple-effect analysis method for ontology evolution

Jin, Longfei (College of Computer Science and Technology, Jilin University, Changchun, 130012, China) Liu, Lei Source: Proceedings - 2006 10th International Conference on Computer Supported Cooperative Work in Design, CSCWD 2006, p 799-804, 2006, Proceedings
- 2006 10th International Conference on Computer Supported Cooperative Work in Design, CSCWD 2006

Database: Compendex

85. Generating ontologies via language components and ontology reuse

Ding, Yihong (Department of Computer Science, Brigham Young University, United States) Lonsdale, Deryle Embley, David W. Hepp, Martin Xu, Li Source: Lecture Notes in Computer Science (including subseries Lecture Notes in Artificial Intelligence and Lecture
Notes in Bioinformatics), v 4592 LNCS, p 131-142, 2007, Natural Language Processing and Information Systems - 12th International Conference on Applications of Natural Language to Information Systems, NLDB 2007, Proceedings

Database: Compendex

86. Knowledge modeling for intelligent transportation system based on fuzzy ontology models

Zhai, Jun (School of Economics and Management, Dalian Maritime University, Dalian 116026, China) Chen, Yan Shen, Li-Xin Source: Dalian Haishi Daxue Xuebao/Journal of Dalian Maritime University, v 34, n 2, p 91-94, May 2008 Language: Chinese

Database: Compendex

87. Ontology winnowing: A case study on the AKT reference ontology

Alani, Harith (School of Electronics and Computer Science, University of Southampton, Southampton, United Kingdom) Harris, Stephen O'Neill, Ben Source: Proceedings - International Conference on Computational Intelligence for Modelling, Control and Automation,
CIMCA 2005 and International Conference on Intelligent Agents, Web Technologies and Internet, v 2, p 710-715, 2005, Proceedings - International Conference on Computational Intelligence for Modelling, Control and Automation, CIMCA 2005 and International Conference
on Intelligent Agents, Web Technologies and Interne

Database: Compendex

88. New method for ranking arabic web sites using ontology concepts

Qawaqneh, Zakaryia (Jordan University of Science and Technology, Irbid, Jordan) El-Qawasmeh, Eyas Kayed, Ahmad Source: 2007 2nd International Conference on Digital Information Management, ICDIM, v 2, 2007, 2007 2nd International Conference on Digital Information
Management, ICDIM

Database: Compendex

89. Question driven semantics interpretation for collaborative knowledge engineering and ontology reuse

Latif, Khalid (Institute of Software Technology and Interactive Systems, Vienna University of Technology, Favoritenstrasse 9-11/188, A-1040 Vienna, Austria) Weippl, Edgar Tjoa, A. Min Source: 2007 IEEE International Conference on Information Reuse and Integration,
IEEE IRI-2007, p 170-176, 2007, 2007 IEEE International Conference on Information Reuse and Integration, IEEE IRI-2007

Database: Compendex

90. An extension of XML with ontology integration

Huang, Yi (Computer School, Wuhan University, Wuhan 430072, China) Gu, Jinguang Chen, Xinmeng Chen, Heping Source: Proceedings of the 2005 International Conference on Information and Knowledge Engineering, IKE'05, p 320-326, 2005, Proceedings of the 2005
International Conference on Information and Knowledge Engineering, IKE'05

Database: Compendex

91. DOLCE ergo SUMO: On foundational and domain models in the SmartWeb Integrated Ontology (SWIntO)

Oberle, Daniel (Institut AIFB, Universit?t Karlsruhe, Germany) Ankolekar, Anupriya Hitzler, Pascal Cimiano, Philipp Sintek, Michael Kiesel, Malte Mougouie, Babak Baumann, Stephan Vembu, Shankar Romanelli, Massimo Buitelaar, Paul Engel, Ralf Sonntag,
Daniel Reithinger, Norbert Loos, Berenike Zorn, Hans-Peter Micelli, Vanessa Porzel, Robert Schmidt, Christian Weiten, Moritz Burkhardt, Felix Zhou, Jianshen Source: Web Semantics, v 5, n 3, p 156-174, September 2007

Database: Compendex

92. Upper ontology based method for ontologies matching improvement

&Lstrok uszpaj, Adam (Department of Computer Science, AGH-UST, Al. Mickiewicza 30, 30-059 Kraków, Poland) Nawarecki, Edward Zygmunt, Anna Kozlak, Jarosaw Dobrowolski, Grzegorz Source: Systems Science, v 34, n 1, p 85-96, 2008

Database: Compendex

93. An iterative, collaborative ontology construction scheme

Lin, Hsin-Nan (Department of Computer Science, National Chiao Tung University, Taiwan) Tseng, Shian-Shyong Weng, Jui-Feng Lin, Huan-Yu Su, Jun-Ming Source: Second International Conference on Innovative Computing, Information and Control, ICICIC 2007, 2008,
Second International Conference on Innovative Computing, Information and Control, ICICIC 2007

Database: Compendex

94. Ontology construction based on ontology inheritance

Ming, Zhong (Information Engineering Faculty, Shenzhen University, Shenzhen 518060, China) Cai, Shubin Li, Shixian Zeng, Xinhong Source: WSEAS Transactions on Computers, v 5, n 5, p 975-982, May 2006

Database: Compendex

95. OntoDB2: Support of multiple ontology models within ontology based database

Fankam, Chimene (LISI/ENSMA, Poitiers University, 86961 Futuroscope Chasseneuil Cedex, France) Source: Post Workshop Proceedings - EDBT 2008 Ph.D. Workshop, p 21-27, 2008, Post Workshop Proceedings - EDBT 2008 Ph.D. Workshop

Database: Compendex

96. Design of ontology mapping framework

Zheng, Liping (College of Electron and Information Engineering, Tongji University, Shanghai, China) Li, Guangyao Shajing Liang, Yongquan Source: CIMCA 2006: International Conference on Computational Intelligence for Modelling, Control and Automation, Jointly
with IAWTIC 2006: International Conference on Intelligent Agents Web Technologies ..., 2007, CIMCA 2006: International Conference on Computational Intelligence for Modelling, Control and Automation, Jointly with IAWTIC 2006: International Conference on Intelligent
Agents Web Technologies ...

Database: Compendex

97. Ontology module extraction for ontology reuse: An ontology engineering perspective

Doran, Paul (Dept. of Computer Science, University of Liverpool, United Kingdom) Tamma, Valentina Iannone, Luigi Source: International Conference on Information and Knowledge Management, Proceedings, p 61-69, 2007, CIKM 2007 - Proceedings of the 16th ACM
Conference on Information and Knowledge Management

Database: Compendex

98. Web search tailored ontology evaluation framework

Strasunskas, Darijus (Department of Computer and Information Science, Norwegian University of Science and Technology, NO-7491 Trondheim, Norway) Tomassen, Stein L. Source: Lecture Notes in Computer Science (including subseries Lecture Notes in Artificial Intelligence
and Lecture Notes in Bioinformatics), v 4537 LNCS, p 372-383, 2007, Advances in Web and Network Technologies, and Information Management - APWeb/WAIM 2007 International Workshops DBMAN 2007, WebETrends 2007, PAIS 2007 and ASWAN 2007, Proceedings

Database: Compendex

99. Semantic analysis approach for construction of OWL ontology

Liu, Hongxing (School of Computer Science and Technology, Wuhan University of Technology, Wuhan 430063, China) Yang, Qing Source: Journal of Southeast University (English Edition), v 22, n 3, p 365-369, September 2006

Database: Compendex

100. Ontology-based Focused Crawling

Luong, Hiep Phuc (CSCE Department, University of Arkansas) Gauch, Susan Wang, Qiang Source: Proceedings - International Conference on Information, Process, and Knowledge Management, eKNOW 2009, p 123-128, 2009, Proceedings - International Conference on Information,
Process, and Knowledge Management, eKNOW 2009

Database: Compendex

101. The challenge of using a domain ontology in KM solutions: The e-COGNOS experience

Lima, C. (Ctr. Sci./Tech. du Batiment, Route des Lucioles, Sophia Antipolis, France) Fies, B. Lefrancois, G. El Diraby, T. Source: Proceedings of the 10th ISPE International Conference on Concurrent Engineering, p 771-778, 2003, Proceedings of the 10th ISPE
International Conference on Concurrent Engineering: Research and Applications, Advanced Design, Production and Management Systems

Database: Compendex

102. Evaluation of RDF(S) and DAML+OIL import/export services within ontology platforms

Gómez-Pérez, Asunción (Lab. de Inteligencia Artificial, Facultad de Informtica, Campus de Montegancedo sn, Boadilla del Monte, 28660. Madrid, Spain) Suárez-Figueroa, M. Carmen Source: Lecture Notes in Artificial Intelligence (Subseries of Lecture Notes in
Computer Science), v 2972, p 109-118, 2004, MICAI 2004: Advances in Artificial Intelligence

Database: Compendex

103. Semi-automated framework for ontology management and learning

Benjamin, Perakath (Knowledge Based Systems, Inc., College Station, TX, United States) Corlette, Dan Mayer, Richard Source: Proceedings of the 2008 International Conference on Artificial Intelligence, ICAI 2008 and Proceedings of the 2008 International Conference
on Machine Learning Models, Technologies and Applications, p 624-629, 2008, Proceedings of the 2008 International Conference on Artificial Intelligence, ICAI 2008 and Proceedings of the 2008 International Conference on Machine Learning Models, Technologies
and Applications

Database: Compendex

104. The solution to acquire application ontology based on Prolog

Ge, Shi-Lun (School of Economics and Management, JiangSu University of Science and Technology, 212003, China) Miao, Hong Source: Proceedings of 2007 International Conference on Management Science and Engineering, ICMSE'07 (14th), p 141-148, 2008, Proceedings
of 2007 International Conference on Management Science and Engineering, ICMSE'07 (14th)

Database: Compendex

105. Semi-automatic ontology engineering using patterns

Blomqvist, Eva (J?nk?ping University, J?nk?ping, Sweden) Source: Lecture Notes in Computer Science (including subseries Lecture Notes in Artificial Intelligence and Lecture Notes in Bioinformatics), v 4825 LNCS, p 911-915, 2007, The Semantic Web - 6th International
Semantic Web Conference - 2nd Asian Semantic Web Conference, ISWC 2007 + ASWC 2007, Proceedings

Database: Compendex

106. Mining fuzzy domain ontology from textual databases

Lau, Raymond Y. K. (Department of Information Systems, City University of Hong Kong, Tat Chee Avenue, Kowloon, Hong Kong) Li, Yuefeng Xu, Yue Source: Proceedings of the IEEE/WIC/ACM International Conference on Web Intelligence, WI 2007, p 156-162, 2007, Proceedings
of the IEEE/WIC/ACM International Conference on Web Intelligence, WI 2007

Database: Compendex

107. Design of product ontology architecture for collaborative enterprises

Lee, Jeongsoo (Department of Industrial and Management Engineering, Pohang University of Science and Technology, San 31, Hyoja-dong, Nam-gu, Pohang, Kyungbuk 790-784, Korea, Republic of) Chae, Heekwon Kim, Cheol-Han Kim, Kwangsoo Source: Expert Systems with
Applications, v 36, n 2 PART 1, p 2300-2309, March 2009

Database: Compendex

108. Ontology engineering - The DOGMA approach

Jarrar, Mustafa (STARLab., Vrije Universiteit Brussel, Belgium) Meersman, Robert Source: Lecture Notes in Computer Science (including subseries Lecture Notes in Artificial Intelligence and Lecture Notes in Bioinformatics), v 4891 LNCS, p 7-34, 2008, Advances
in Web Semantics I - Ontologies, Web Services and Applied Semantic Web

Database: Compendex

109. Product ontology construction from engineering documents

Park, J.M. (Concurrent Engineering Lab., Department of Industrial Engineering, KAIST, 373-1 Kusong-dong, Yusong-ku, Taejon, 305-701, Korea, Republic of) Nam, J.H. Hu, Q.P. Suh, H.W. Source: ICSMA 2008 - International Conference on Smart Manufacturing Application,
p 305-310, 2008, ICSMA 2008 - International Conference on Smart Manufacturing Application

Database: Compendex

110. An ontology for autonomic license management

Zhao, Qian (Department of Computer Science, University of Western Ontario, London, ON, Canada) Perry, Mark Source: Proceedings - 4th International Conference on Autonomic and Autonomous Systems, ICAS 2008, p 204-211, 2008, Proceedings - 4th International Conference
on Autonomic and Autonomous Systems, ICAS 2008

Database: Compendex

111. An ontology-based cluster analysis framework

Lula, Pawe (Department of Computational Systems, Cracow University of Economics, ul. Rakowicka 27, 31-510 Kraków, Poland) Paliwoda-Pkosz, Grayna Source: Proceedings of the 1st International Workshop on Ontology-supported Business Intelligence, OBI 2008, 2008,
Proceedings of the 1st International Workshop on Ontology-supported Business Intelligence, OBI 2008

Database: Compendex

112. User denfined ontology change and its optimization

Zhang, Lei (School of Computer Science and Technology, China University of Mining and Technology, Xuzhou 221116, China) Xia, Shixiong Zhou, Yong Xia, Zhanguo Source: Chinese Control and Decision Conference, 2008, CCDC 2008, p 3586-3590, 2008, Chinese Control
and Decision Conference, 2008, CCDC 2008

Database: Compendex

113. Advancing topic ontology learning through term extraction

Fortuna, Blaz (Jozef Stefan Institute, Jamova cesta 39, 1000 Ljubljana, Slovenia) Lavrac, Nada Velardi, Paola Source: Lecture Notes in Computer Science (including subseries Lecture Notes in Artificial Intelligence and Lecture Notes in Bioinformatics), v 5351
LNAI, p 626-635, 2008, PRICAI 2008: Trends in Artificial Intelligence - 10th Pacific Rim International Conference on Artificial Intelligence, Proceedings

Database: Compendex

114. Towards a reference ontology for functional knowledge interoperability

Kitamura, Yoshinobu (Institute of Scientific and Industrial Research, Osaka University, 8-1 Mihogaoka, Ibaraki, Osaka, 567-0047, Japan) Takafuji, Sunao Mizoguchi, Riichiro Source: 2007 Proceedings of the ASME International Design Engineering Technical Conferences
and Computers and Information in Engineering Conference, DETC2007, v 6 PART A, p 111-120, 2008, 2007 Proceedings of the ASME International Design Engineering Technical Conferences and Computers and Information in Engineering Conference, DETC2007

Database: Compendex

115. Research on spatio-temporal ontology based on description logic

Yongqi, Huang (Huanggang Normal University, Huanggang, Hubei 100101, China) Zhimin, Ding Zhui, Zhao Ouyang, Fucheng Source: Proceedings of SPIE - The International Society for Optical Engineering, v 7143, 2008, Geoinformatics 2008 and Joint Conference on
GIS and Built Environment: Geo-Simulation and Virtual GIS Environments

Database: Compendex

116. OntoSNP: Ontology driven knowledgebase for SNP

Lim, Jaehyoung (Information and Communications University, 103-6 Munji-dong, Yuseong-gu, Daejeon, Korea, Republic of) Yoon, Aeyoung Sun, Choong-Hyun Hwang, Taeho Yi, Gwan-Su Hyun, Soon J. Rho, Jae-Jeung Source: Proceedings - 2006 International Conference
on Hybrid Information Technology, ICHIT 2006, v 2, p 120-127, 2006, Proceedings - 2006 International Conference on Hybrid Information Technology, ICHIT 2006

Database: Compendex

117. Research and implementation of domain-specific ontology building from relational database

Hu, Changjun (Information Engineering School, University of Science and Technology Beijing, Beijing, 100083, China) Li, Huayu Zhang, Xiaoming Zhao, Chongchong Source: Proceedings of the 3rd ChinaGrid Annual Conference, ChinaGrid 2008, p 289-293, 2008, Proceedings
of the 3rd ChinaGrid Annual Conference, ChinaGrid 2008

Database: Compendex

118. Ontology learning method based on double VSM and fuzzy FCA

Xing, Jun (School of Electronic and Information Engineering, Dalian University of Technology, Dalian 116024, China) Han, Min Source: Jisuanji Yanjiu yu Fazhan/Computer Research and Development, v 46, n 3, p 443-451, March 2009 Language: Chinese

Database: Compendex

119. Implementation of web ontology for semantic web application

Kim, Su-Kyoung (National Hanbat University, Division of Computer Engineering, San16-1, DuckMyoung-Dong, Yuseong-Gu, Deajeon, 305-719, Korea, Republic of) Source: Proceedings - ALPIT 2007 6th International Conference on Advanced Language Processing and Web Information
Technology, p 159-164, 2007, Proceedings - ALPIT 2007 6th International Conference on Advanced Language Processing and Web Information Technology

Database: Compendex

120. The application study of OWL reasoning based on ontology for digital urban planning

Luo, Jing (School of Architecture, Tsinghua University, Haidian District, Beijing 100084) Dang, Anrong Mao, Qizhi Source: Proceedings of SPIE - The International Society for Optical Engineering, v 7143, 2008, Geoinformatics 2008 and Joint Conference on GIS
and Built Environment: Geo-Simulation and Virtual GIS Environments

Database: Compendex

121. Using a crop-pest ontology to facilitate image retrieval

Kim, Soortho (Department of Agricultural and Biological Engineering, University of Florida, P.O. Box 110570, Gainesville, FL 32611-0570, United States) Jung, Yunchul Beck, Howard W. Source: Computers in Agriculture and Natural Resources - Proceedings of the
4th World Congress, p 545-550, 2006, Computers in Agriculture and Natural Resources - Proceedings of the 4th World Congress

Database: Compendex

122. Engineering trustworthy ontologies: Case study of protein ontology

Hussain, Farookh K. (IEEE) Sidhu, Amandeep S. Dillon, Tharam S. Chang, Elizabeth Source: Proceedings - IEEE Symposium on Computer-Based Medical Systems, v 2006, p 617-620, 2006, Proceedings - 19th IEEE International Symposium on Computer-Based Medical Systems,
CBMS 2006

Database: Compendex

123. The design of the ontology retrieval system on the web

Hwang, Myunggwon (Dept. of Computer Science, Chosun University, Gwangju, Korea, Republic of) Kong, Hyunjang Kim, Pankoo Source: 8th International Conference Advanced Communication Technology, ICACT 2006 - Proceedings, v 3, p 1815-1818, 2006, 8th International
Conference Advanced Communication Technology, ICACT 2006 - Proceedings

Database: Compendex

124. Knowledge sharing for supply chain management based on fuzzy ontology on the Semantic Web

Zhai, Jun (School of Economics and Management, Dalian Maritime University, Dalian 116026, China) Li, Yang Wang, Qinglian Lv, Miao Source: Proceedings - International Symposium on Information Processing, ISIP 2008 and International Pacific Workshop on Web
Mining and Web-Based Application, WMWA 2008, p 429-433, 2008, Proceedings - International Symposium on Information Processing, ISIP 2008 and International Pacific Workshop on Web Mining and Web-Based Application, WMWA 2008

Database: Compendex

125. Ontology clarification by using semantic disambiguation

Guo, Lei (College of Automation, Northwestern Polytechnical University, Xi'an, China) Wang, Xiaodong Fang, Jun Source: Proceedings of the 2008 12th International Conference on Computer Supported Cooperative Work in Design, CSCWD, v 1, p 476-481, 2008, Proceedings
of the 2008 12th International Conference on Computer Supported Cooperative Work in Design, CSCWD

Database: Compendex
内容来自用户分享和网络整理,不保证内容的准确性,如有侵权内容,可联系管理员处理 点击这里给我发消息
标签: 
相关文章推荐