第4章:知识表示与存储

知识表示与存储是知识图谱构建的重要环节,它决定了知识图谱的表达能力、查询效率和扩展性。本章将介绍知识表示的主要方法、知识存储的不同方案以及知识融合与对齐技术。

4.1 知识表示方法

知识表示是将现实世界中的知识转换为计算机可理解和处理的形式的过程。不同的知识表示方法具有不同的表达能力和适用场景。

4.1.1 RDF与OWL标准

4.1.1.1 RDF(Resource Description Framework)

RDF是W3C制定的用于描述资源的标准框架,它是知识图谱的基础表示语言。RDF使用三元组(Subject-Predicate-Object,SPO)来描述资源之间的关系。

核心概念:

  • 资源(Resource):任何可以被URI(Uniform Resource Identifier)标识的事物,如网页、图片、人物、组织等。
  • 属性(Property):资源的特征或关系,也用URI标识。
  • 值(Value):属性的取值,可以是另一个资源或字面量(Literal),如字符串、数字、日期等。

RDF三元组示例:

<http://example.org/person/张三> <http://example.org/property/name> "张三" .
<http://example.org/person/张三> <http://example.org/property/age> "30"^^<http://www.w3.org/2001/XMLSchema#integer> .
<http://example.org/person/张三> <http://example.org/property/worksAt> <http://example.org/organization/北京大学> .

RDF序列化格式:

  • RDF/XML:基于XML的序列化格式,适合机器处理,但可读性较差。
  • N-Triples:简单的文本格式,每行一个三元组,可读性较好。
  • Turtle:N-Triples的扩展,支持缩写和命名空间,可读性强。
  • JSON-LD:基于JSON的序列化格式,适合Web应用。

代码示例:使用Python处理RDF

from rdflib import Graph, Namespace, URIRef, Literal, XSD

# 创建RDF图
g = Graph()

# 定义命名空间
EX = Namespace("http://example.org/")

# 添加三元组
g.add((URIRef(EX + "person/张三"), URIRef(EX + "name"), Literal("张三")))
g.add((URIRef(EX + "person/张三"), URIRef(EX + "age"), Literal(30, datatype=XSD.integer)))
g.add((URIRef(EX + "person/张三"), URIRef(EX + "worksAt"), URIRef(EX + "organization/北京大学")))
g.add((URIRef(EX + "organization/北京大学"), URIRef(EX + "name"), Literal("北京大学")))
g.add((URIRef(EX + "organization/北京大学"), URIRef(EX + "location"), Literal("北京")))

# 打印图中的三元组数量
print(f"图中包含 {len(g)} 个三元组")

# 以Turtle格式打印图
print("\nTurtle格式输出:")
print(g.serialize(format="turtle").decode("utf-8"))

# 以JSON-LD格式打印图
print("\nJSON-LD格式输出:")
print(g.serialize(format="json-ld").decode("utf-8"))

# 查询图
print("\n查询所有人员及其工作单位:")
query = """
PREFIX ex: <http://example.org/>
SELECT ?person ?name ?org
WHERE {
    ?person ex:name ?name .
    ?person ex:worksAt ?org .
}
"""
for row in g.query(query):
    print(f"{row.name} 工作于 {row.org.split('/')[-1]}")

4.1.1.2 OWL(Web Ontology Language)

OWL是W3C制定的用于描述本体的语言,它建立在RDF基础上,提供了更丰富的语义表达能力。OWL用于定义知识图谱的模式层,包括类、属性、关系以及它们之间的约束。

核心概念:

  • 类(Class):表示具有共同特征的事物的集合,如"人"、"组织"、"地点"等。
  • 属性(Property):分为对象属性(ObjectProperty,连接两个资源)和数据属性(DatatypeProperty,连接资源和字面量)。
  • 个体(Individual):类的实例,如"张三"是"人"类的个体。
  • 约束(Constraint):对类和属性的限制,如基数约束、类型约束、传递性约束等。

OWL的主要版本:

  • OWL Lite:简单的OWL子语言,支持基本的类和属性定义。
  • OWL DL:支持更丰富的表达能力,同时保持可判定性(推理算法可以在有限时间内终止)。
  • OWL Full:支持最丰富的表达能力,但不保证可判定性。

代码示例:使用Python定义OWL本体

from rdflib import Graph, Namespace, URIRef, Literal
from rdflib.namespace import RDF, RDFS, OWL

# 创建RDF图
g = Graph()

# 定义命名空间
EX = Namespace("http://example.org/ontology#")

# 添加OWL本体声明
g.add((URIRef(EX), RDF.type, OWL.Ontology))

# 定义类
g.add((URIRef(EX + "Person"), RDF.type, OWL.Class))
g.add((URIRef(EX + "Organization"), RDF.type, OWL.Class))
g.add((URIRef(EX + "University"), RDF.type, OWL.Class))
g.add((URIRef(EX + "University"), RDFS.subClassOf, URIRef(EX + "Organization")))

# 定义属性
# 对象属性:worksAt(人工作于组织)
g.add((URIRef(EX + "worksAt"), RDF.type, OWL.ObjectProperty))
g.add((URIRef(EX + "worksAt"), RDFS.domain, URIRef(EX + "Person")))
g.add((URIRef(EX + "worksAt"), RDFS.range, URIRef(EX + "Organization")))

# 对象属性:studiesAt(人学习于大学)
g.add((URIRef(EX + "studiesAt"), RDF.type, OWL.ObjectProperty))
g.add((URIRef(EX + "studiesAt"), RDFS.domain, URIRef(EX + "Person")))
g.add((URIRef(EX + "studiesAt"), RDFS.range, URIRef(EX + "University")))

# 数据属性:name(名称)
g.add((URIRef(EX + "name"), RDF.type, OWL.DatatypeProperty))
g.add((URIRef(EX + "name"), RDFS.domain, OWL.Thing))
g.add((URIRef(EX + "name"), RDFS.range, RDFS.Literal))

# 数据属性:age(年龄)
g.add((URIRef(EX + "age"), RDF.type, OWL.DatatypeProperty))
g.add((URIRef(EX + "age"), RDFS.domain, URIRef(EX + "Person")))

# 定义个体
g.add((URIRef(EX + "zhangsan"), RDF.type, URIRef(EX + "Person")))
g.add((URIRef(EX + "zhangsan"), URIRef(EX + "name"), Literal("张三")))
g.add((URIRef(EX + "zhangsan"), URIRef(EX + "age"), Literal(30)))

# 序列化并保存本体
g.serialize(destination="example_ontology.owl", format="xml")
print("OWL本体创建完成!")

4.1.2 属性图模型

属性图(Property Graph)是另一种常用的知识表示模型,它被许多图数据库(如Neo4j、Nebula Graph、JanusGraph)采用。

核心概念:

  • 节点(Node):表示实体,具有唯一标识符和一组属性(键值对)。
  • 关系(Relationship):表示实体之间的连接,具有唯一标识符、类型和一组属性(键值对)。
  • 属性(Property):节点或关系的键值对,用于描述它们的特征。

属性图的特点:

  • 灵活的 schema:不需要预定义严格的模式,可以动态添加节点和关系。
  • 丰富的属性:节点和关系都可以有属性,便于存储额外信息。
  • 高效的图查询:优化的图结构便于执行复杂的图查询和遍历。
  • 可视化友好:直观的图结构便于可视化展示。

属性图示例:

(:Person {name: "张三", age: 30})-[:WORKS_AT {since: 2020}]->(:Organization {name: "北京大学"})
(:Person {name: "李四", age: 25})-[:STUDIES_AT {since: 2021}]->(:University {name: "北京大学"})

代码示例:使用Neo4j Python驱动操作属性图

from neo4j import GraphDatabase

# 连接到Neo4j数据库
driver = GraphDatabase.driver("bolt://localhost:7687", auth=(", "password"))

# 定义创建节点和关系的函数
def create_person_and_organization(tx, person_name, person_age, org_name, relation_type, since):
    tx.run("""
    MERGE (p:Person {name: $person_name}) SET p.age = $person_age
    MERGE (o:Organization {name: $org_name})
    MERGE (p)-[r:{{type: $relation_type, since: $since}}]->(o)
    """, 
    person_name=person_name, person_age=person_age, org_name=org_name, relation_type=relation_type, since=since)

# 定义查询函数
def get_person_relations(tx, person_name):
    result = tx.run("""
    MATCH (p:Person {name: $person_name})-[r]->(o)
    RETURN p.name AS person, type(r) AS relation, r.since AS since, o.name AS organization
    """, person_name=person_name)
    return [(record["person"], record["relation"], record["since"], record["organization"]) for record in result]

# 执行创建操作
with driver.session() as session:
    session.write_transaction(create_person_and_organization, "张三", 30, "北京大学", "WORKS_AT", 2020)
    session.write_transaction(create_person_and_organization, "李四", 25, "北京大学", "STUDIES_AT", 2021)

# 执行查询操作
with driver.session() as session:
    relations = session.read_transaction(get_person_relations, "张三")
    for relation in relations:
        print(f"{relation[0]} {relation[1]} {relation[3]},始于 {relation[2]}")

# 关闭驱动
driver.close()

4.1.3 图神经网络中的知识表示

图神经网络(Graph Neural Networks,GNNs)是一种专门用于处理图结构数据的深度学习模型,它可以学习图中节点和边的低维向量表示(嵌入)。

主要的图嵌入方法:

1. 基于矩阵分解的方法

  • 谱聚类(Spectral Clustering):利用图的拉普拉斯矩阵的特征向量进行嵌入。
  • DeepWalk:将图视为随机游走的集合,使用Word2Vec算法学习节点嵌入。
  • Node2Vec:DeepWalk的扩展,通过调整随机游走的策略来学习更灵活的节点嵌入。

2. 基于图卷积的方法

  • GCN(Graph Convolutional Network):通过卷积操作聚合邻居节点的信息,学习节点嵌入。
  • GAT(Graph Attention Network):使用注意力机制动态调整邻居节点的权重。
  • GraphSAGE:通过采样和聚合邻居节点的特征来生成节点嵌入,适合大规模图。

3. 基于知识图谱嵌入的方法

  • TransE:将关系视为实体向量之间的平移,适合处理一对一关系。
  • TransH:为每个关系定义一个超平面,将实体投影到该超平面上进行平移。
  • TransR:为每个关系定义一个单独的空间,将实体投影到该空间上进行平移。
  • RotatE:将关系视为复平面上的旋转,适合处理各种类型的关系。

代码示例:使用PyTorch Geometric实现GCN

import torch
import torch.nn.functional as F
from torch_geometric.nn import GCNConv
from torch_geometric.datasets import KarateClub

# 加载数据集
dataset = KarateClub()
data = dataset[0]

# 定义GCN模型
class GCN(torch.nn.Module):
    def __init__(self):
        super().__init__()
        self.conv1 = GCNConv(dataset.num_features, 16)
        self.conv2 = GCNConv(16, dataset.num_classes)

    def forward(self, data):
        x, edge_index = data.x, data.edge_index

        x = self.conv1(x, edge_index)
        x = F.relu(x)
        x = F.dropout(x, training=self.training)
        x = self.conv2(x, edge_index)

        return F.log_softmax(x, dim=1)

# 初始化模型和优化器
model = GCN()
optimizer = torch.optim.Adam(model.parameters(), lr=0.01)

# 训练模型
model.train()
for epoch in range(200):
    optimizer.zero_grad()
    out = model(data)
    loss = F.nll_loss(out[data.train_mask], data.y[data.train_mask])
    loss.backward()
    optimizer.step()

# 评估模型
model.eval()
pred = model(data).argmax(dim=1)
correct = (pred[data.test_mask] == data.y[data.test_mask]).sum()
acc = int(correct) / int(data.test_mask.sum())
print(f'Accuracy: {acc:.4f}')

# 输出节点嵌入
model.eval()
with torch.no_grad():
    embeddings = model.conv1(data.x, data.edge_index)
    print("节点嵌入示例:")
    print(embeddings[:5])

4.2 知识存储方案

4.2.1 图数据库

图数据库是专门为存储和查询图结构数据设计的数据库,它们优化了图结构的存储和查询性能。

4.2.1.1 Neo4j

Neo4j是最流行的原生图数据库之一,它采用属性图模型,提供了丰富的查询语言和工具生态。

主要特点:

  • 原生图存储:专门为图结构优化的存储引擎。
  • Cypher查询语言:直观的声明式查询语言,适合表达复杂的图查询。
  • 高性能:优化的图遍历算法,支持毫秒级查询响应。
  • 丰富的生态:提供了多种语言的驱动、可视化工具和插件。
  • 事务支持:ACID事务保证数据一致性。

Cypher查询示例:

// 创建节点
CREATE (p:Person {name: "张三", age: 30})
CREATE (o:Organization {name: "北京大学"})

// 创建关系
CREATE (p)-[:WORKS_AT {since: 2020}]->(o)

// 查询张三的所有关系
MATCH (p:Person {name: "张三"})-[r]->(o)
RETURN p.name, type(r), r.since, o.name

// 查询与北京大学相关的所有人
MATCH (p:Person)-[r]->(o:Organization {name: "北京大学"})
RETURN p.name, type(r), r.since

4.2.1.2 Nebula Graph

Nebula Graph是一款开源的分布式图数据库,适合处理大规模图数据。

主要特点:

  • 分布式架构:支持水平扩展,可处理数十亿节点和数万亿关系。
  • 多存储引擎:支持RocksDB和HBase作为底层存储。
  • nGQL查询语言:类SQL的查询语言,支持复杂的图查询。
  • 高可用性:支持副本机制和故障转移。
  • 与大数据生态集成:支持Spark、Flink等大数据框架。

4.2.1.3 JanusGraph

JanusGraph是一款开源的分布式图数据库,它建立在Bigtable或Cassandra等分布式存储系统之上。

主要特点:

  • 分布式架构:支持大规模图数据的存储和查询。
  • 多存储后端:支持HBase、Cassandra、Berkeley DB等。
  • 多索引支持:集成了Elasticsearch、Solr、Lucene等索引引擎。
  • 支持Gremlin查询语言:Apache TinkerPop项目的标准查询语言。
  • 可扩展的架构:支持插件机制,可扩展功能。

4.2.2 RDF三元组存储

RDF三元组存储是专门用于存储RDF三元组的数据库,它们优化了RDF数据的存储和查询性能。

4.2.2.1 Apache Jena

Apache Jena是一款开源的Java框架,用于构建语义Web应用,包括RDF三元组存储。

主要特点:

  • 支持多种RDF序列化格式。
  • 提供SPARQL查询引擎。
  • 支持推理功能。
  • 可扩展性强:支持多种存储后端。

4.2.2.2 Virtuoso

Virtuoso是一款开源的关系型数据库,同时支持RDF三元组存储和SPARQL查询。

主要特点:

  • 混合存储:同时支持关系数据和RDF数据。
  • 高性能:优化的SPARQL查询引擎。
  • 支持多种协议:HTTP、ODBC、JDBC、WebDAV等。
  • 内置推理功能。

4.2.2.3 GraphDB

GraphDB是一款企业级的RDF三元组存储,它提供了高性能的SPARQL查询和推理功能。

主要特点:

  • 高性能:优化的存储和查询引擎。
  • 强大的推理能力:支持RDFS、OWL DL等推理规则。
  • 可视化工具:提供了直观的知识库管理和查询工具。
  • 企业级特性:支持集群、备份、恢复等。

4.2.3 混合存储架构

对于大规模知识图谱,单一的存储方案可能无法满足所有需求,因此需要采用混合存储架构,结合多种存储技术的优势。

混合存储架构的常见模式:

  1. 图数据库 + 关系数据库

    • 图数据库存储实体和关系的图结构
    • 关系数据库存储结构化的属性数据
    • 适合需要同时进行图查询和结构化查询的场景
  2. 图数据库 + 搜索引擎

    • 图数据库存储图结构和关系
    • 搜索引擎存储文本属性,支持全文搜索
    • 适合需要进行复杂图查询和全文搜索的场景
  3. 分布式图数据库 + 缓存

    • 分布式图数据库存储大规模图数据
    • 缓存系统存储热点数据,提高查询性能
    • 适合大规模图数据和高并发查询场景
  4. RDF三元组存储 + 图数据库

    • RDF三元组存储存储结构化的本体和规则
    • 图数据库存储实例数据,支持高效的图查询
    • 适合需要同时支持语义推理和高效图查询的场景

代码示例:混合存储架构设计

# 混合存储架构示例:Neo4j + Elasticsearch

from neo4j import GraphDatabase
from elasticsearch import Elasticsearch

class KnowledgeGraphStore:
    def __init__(self, neo4j_uri, neo4j_user, neo4j_password, es_hosts):
        # 初始化Neo4j连接
        self.neo4j_driver = GraphDatabase.driver(neo4j_uri, auth=(neo4j_user, neo4j_password))
        # 初始化Elasticsearch连接
        self.es = Elasticsearch(es_hosts)
        # Elasticsearch索引名称
        self.es_index = "knowledge_graph_entities"
    
    def close(self):
        # 关闭连接
        self.neo4j_driver.close()
    
    def create_entity(self, entity_type, properties):
        # 在Neo4j中创建实体
        with self.neo4j_driver.session() as session:
            session.run("""
            CREATE (e:`{}`) SET e += $properties
            RETURN id(e) AS entity_id
            """.format(entity_type), properties=properties)
        
        # 在Elasticsearch中创建索引文档
        self.es.index(index=self.es_index, body=properties, id=properties.get("id"))
    
    def create_relation(self, source_id, relation_type, target_id, properties=None):
        # 在Neo4j中创建关系
        with self.neo4j_driver.session() as session:
            session.run("""
            MATCH (s), (t) WHERE id(s) = $source_id AND id(t) = $target_id
            CREATE (s)-[r:`{}`]->(t) SET r += $properties
            """.format(relation_type), source_id=source_id, target_id=target_id, properties=properties or {})
    
    def search_entities(self, query_text, entity_type=None):
        # 在Elasticsearch中搜索实体
        es_query = {
            "query": {
                "multi_match": {
                    "query": query_text,
                    "fields": ["name", "description", "*"]
                }
            }
        }
        
        if entity_type:
            es_query["query"] = {
                "bool": {
                    "must": [
                        es_query["query"],
                        {"term": {"type": entity_type}}
                    ]
                }
            }
        }
        
        results = self.es.search(index=self.es_index, body=es_query)
        
        # 从Neo4j中获取完整的实体信息和关系
        entity_ids = [hit["_id"] for hit in results["hits"]["hits"]]
        
        with self.neo4j_driver.session() as session:
            entities_with_relations = session.run("""
            MATCH (e) WHERE e.id IN $entity_ids
            OPTIONAL MATCH (e)-[r]->(related)
            RETURN e, collect({relation: type(r), related: related}) AS relations
            """, entity_ids=entity_ids)
        
        return entities_with_relations
    
    def get_entity_by_id(self, entity_id):
        # 从Neo4j中获取实体信息
        with self.neo4j_driver.session() as session:
            result = session.run("""
            MATCH (e) WHERE e.id = $entity_id
            OPTIONAL MATCH (e)-[r]->(related)
            RETURN e, collect({relation: type(r), related: related}) AS relations
            """, entity_id=entity_id)
        
        return result.single()

# 使用示例
if __name__ == "__main__":
    # 初始化存储实例
    kg_store = KnowledgeGraphStore(
        neo4j_uri="bolt://localhost:7687",
        neo4j_user="",
        neo4j_password="password",
        es_hosts=["http://localhost:9200"]
    )
    
    # 创建实体
    kg_store.create_entity("Person", {
        "id": "1",
        "name": "张三",
        "age": 30,
        "description": "北京大学计算机科学教授",
        "type": "Person"
    })
    
    kg_store.create_entity("Organization", {
        "id": "2",
        "name": "北京大学",
        "location": "北京",
        "description": "中国顶尖大学",
        "type": "Organization"
    })
    
    # 搜索实体
    results = kg_store.search_entities("北京大学")
    for result in results:
        print(f"实体: {result['e']['name']}")
        print(f"关系: {result['relations']}")
    
    # 关闭连接
    kg_store.close()

4.3 知识融合与对齐

知识融合与对齐是将来自不同来源的知识整合到一个统一的知识图谱中的过程,它解决了知识图谱中的异构性和冗余问题。

4.3.1 实体消歧技术

实体消歧是指将文本中提到的实体链接到知识图谱中对应的唯一实体的过程,它解决了同名实体和歧义实体的问题。

主要方法:

  1. 基于规则的方法:使用规则匹配实体的属性和上下文信息。
  2. 基于机器学习的方法:使用分类或聚类算法识别实体。
  3. 基于图的方法:利用实体之间的关系进行消歧。
  4. 基于深度学习的方法:使用神经网络模型学习实体的语义表示。

代码示例:使用spaCy和DBpedia进行实体链接

import spacy
from spacy import displacy
from wikidata_linker import WikidataLinker  # 假设使用第三方库

# 加载中文模型
nlp = spacy.load("zh_core_web_sm")

# 初始化Wikidata链接器
linker = WikidataLinker()

# 待处理文本
text = "张三是北京大学的学生,他在2023年获得了计算机科学硕士学位。"

# 处理文本
doc = nlp(text)

# 打印实体识别结果
print("实体识别结果:")
for ent in doc.ents:
    print(f"{ent.text} -> {ent.label_}")

# 实体链接
disambiguated_entities = linker.link_entities(text)

print("\n实体链接结果:")
for entity in disambiguated_entities:
    print(f"文本提及: {entity['mention']}")
    print(f"链接实体: {entity['entity_id']} - {entity['entity_name']}")
    print(f"置信度: {entity['confidence']:.4f}")
    print()

4.3.2 本体匹配方法

本体匹配是指将不同本体中的类、属性和关系映射到一起的过程,它解决了不同知识图谱之间的异构性问题。

主要方法:

  1. 基于字符串的方法:使用字符串相似度度量(如编辑距离、Jaccard相似度)匹配本体元素。
  2. 基于结构的方法:利用本体的层次结构和关系进行匹配。
  3. 基于实例的方法:利用本体实例的分布进行匹配。
  4. 基于机器学习的方法:使用分类或聚类算法学习匹配规则。

代码示例:使用OWL API进行本体匹配

from owlapy.owl_manager import OntologyManager
from owlapy.fast_instance_checker import OWLReasoner_FastInstanceChecker
from owlapy.class_expression import OWLClass, OWLObjectSomeValuesFrom, OWLObjectProperty
from owlapy.model import IRI

# 创建本体管理器
manager = OntologyManager()

# 加载源本体和目标本体
source_ontology = manager.load_ontology(IRI.create("file:///path/to/source_ontology.owl"))
target_ontology = manager.load_ontology(IRI.create("file:///path/to/target_ontology.owl"))

# 获取本体中的类和属性
source_classes = list(source_ontology.classes_in_signature())
source_properties = list(source_ontology.object_properties_in_signature())

target_classes = list(target_ontology.classes_in_signature())
target_properties = list(target_ontology.object_properties_in_signature())

# 简单的基于字符串的本体匹配
def string_based_matching(source_elements, target_elements):
    matches = []
    for source in source_elements:
        source_iri = source.get_iri().as_string()
        source_label = source_iri.split('/')[-1].lower()
        
        best_match = None
        best_score = 0.0
        
        for target in target_elements:
            target_iri = target.get_iri().as_string()
            target_label = target_iri.split('/')[-1].lower()
            
            # 计算字符串相似度(简单的前缀匹配)
            min_len = min(len(source_label), len(target_label))
            match_len = 0
            for i in range(min_len):
                if source_label[i] == target_label[i]:
                    match_len += 1
                else:
                    break
            
            score = match_len / max(len(source_label), len(target_label))
            
            if score > best_score:
                best_score = score
                best_match = target
        
        if best_score > 0.8:  # 设置匹配阈值
            matches.append((source, best_match, best_score))
    
    return matches

# 执行类匹配
class_matches = string_based_matching(source_classes, target_classes)
print("类匹配结果:")
for source, target, score in class_matches:
    print(f"{source.get_iri().as_string()} -> {target.get_iri().as_string()} (相似度: {score:.4f})")

# 执行属性匹配
property_matches = string_based_matching(source_properties, target_properties)
print("\n属性匹配结果:")
for source, target, score in property_matches:
    print(f"{source.get_iri().as_string()} -> {target.get_iri().as_string()} (相似度: {score:.4f})")

小结

本章介绍了知识表示与存储的主要技术,包括:

  1. 知识表示方法:RDF与OWL标准、属性图模型、图神经网络中的知识表示
  2. 知识存储方案:图数据库(Neo4j、Nebula Graph、JanusGraph)、RDF三元组存储、混合存储架构
  3. 知识融合与对齐:实体消歧技术、本体匹配方法

知识表示与存储是知识图谱构建的核心环节,不同的表示方法和存储方案具有不同的特点和适用场景。在实际应用中,需要根据具体需求选择合适的技术栈。

在下一章中,我们将探讨知识推理与质量评估技术,包括基于规则的推理方法、基于嵌入的推理技术、知识图谱补全以及知识质量评估指标与方法。

« 上一篇 知识获取与抽取 下一篇 » 知识推理与质量评估