Making Sense of News, the Knowledge Graph Way
data:image/s3,"s3://crabby-images/dd90a/dd90adc8ebfa79ab149a5be6d0f1831262ad8197" alt=""
Graph ML and GenAI Research, Neo4j
13 min read
data:image/s3,"s3://crabby-images/ad337/ad3373b3b6c5b096e6f753cf0c404807b05d07a6" alt=""
How to combine Named Entity Linking with Wikipedia data enrichment to analyze the internet news.
A wealth of information is being produced every day on the internet. Understanding the news and other content-generating websites is becoming increasingly crucial to successfully run a business. It can help you spot opportunities, generate new leads, or provide indicators about the economy. In this blog post, I want to show you how you can create a news monitoring data pipeline that combines natural language processing (NLP) and knowledge graph technologies. The data pipeline consists of three parts. In the first part, we scrape articles from an Internet provider of news. Next, we run the articles through an NLP pipeline and store results in the form of a knowledge graph. In the last part of the data pipeline, we enrich our knowledge with information from the WikiData API. To demonstrate the benefits of using a knowledge graph to store the information from the data pipeline, we perform simple network analysis and try to find insights.Agenda
- Scraping internet news
- Entity linking with Wikifier
- Wikipedia data enrichment
- Network analysis
Graph Model
We use Neo4j to store our knowledge graph. If you want to follow along with this blog post, you need to download Neo4j and install both the APOC and Graph Data Science libraries. All the code is available on GitHub as well.data:image/s3,"s3://crabby-images/ad337/ad3373b3b6c5b096e6f753cf0c404807b05d07a6" alt=""
CREATE CONSTRAINT IF NOT EXISTS ON (a:Article) ASSERT a.url IS UNIQUE; CREATE CONSTRAINT IF NOT EXISTS ON (e:Entity) ASSERT e.wikiDataItemId is UNIQUE; CREATE CONSTRAINT IF NOT EXISTS ON (t:Tag) ASSERT t.name is UNIQUE;
Internet News Scraping
Next, we scrape the CNET news portal. I have chosen the CNET portal because it has the most consistent HTML structure, making it easier to demonstrate the data pipeline concept without focusing on the scraping element. We use theapoc.load.html procedure for the HTML scraping. It uses jsoup under the hood. Find more information in the documentation. First, we iterate over popular topics and store the link of the last dozen of articles for each topic in Neo4j.CALL apoc.load.html("https://www.cnet.com/news/", {topics:"div.tag-listing > ul > li > a"}) YIELD value UNWIND value.topics as topic WITH "https://www.cnet.com" + topic.attributes.href as link CALL apoc.load.html(link, {article:"div.row.asset > div > a"}) YIELD value UNWIND value.article as article WITH distinct "https://www.cnet.com" + article.attributes.href as article_link MERGE (a:Article{url:article_link});Now that we have the links to the articles, we can scrape their content as well as their tags and publishing date. We store the results according to the graph schema we defined in the previous section.
MATCH (a:Article) CALL apoc.load.html(a.url, {date:"time", title:"h1.speakableText", text:"div.article-main-body > p", tags: "div.tagList > a"}) YIELD value SET a.datetime = datetime(value.date[0].attributes.datetime) FOREACH (_ IN CASE WHEN value.title[0].text IS NOT NULL THEN [true] ELSE [] END | CREATE (a)-[:HAS_TITLE]->(:Section{text:value.title[0].text}) ) FOREACH (t in value.tags | MERGE (tag:Tag{name:t.text}) MERGE (a)-[:HAS_TAG]->(tag) ) WITH a, value.text as texts UNWIND texts as row WITH a,row.text as text WHERE text IS NOT NULL CREATE (a)-[:HAS_SECTION]->(:Section{text:text});I did not want to complicate the Cypher query that stores the results of the articles even more, so we must perform a minor cleanup of tags before we continue.
MATCH (n:Tag) WHERE n.name CONTAINS "Notification" DETACH DELETE n;Let’s evaluate our scraping process and look at how many of the articles have been successfully scraped.
MATCH (a:Article) RETURN exists((a)-[:HAS_SECTION]->()) as scraped_articles, count(*) as countIn my case, I have successfully collected the information for 245 articles. Unless you have a time machine, you won’t be able to recreate this analysis identically. I have scraped the website on the 30th of January 2021, and you will probably do it later. I have prepared most of the analysis queries generically, so they work regardless of the date you choose to scrape the news. Let’s also examine the most frequent tags of the articles.
MATCH (n:Tag) RETURN n.name as tag, size((n)<-[:HAS_TAG]-()) as articles ORDER BY articles DESC LIMIT 10Here are the results:
data:image/s3,"s3://crabby-images/8a72e/8a72ee5e1fa836edbf1814a9a5dd2ec9182d8a0b" alt=""
Named Entity Linking: Wikification
In my previous blog post, we have already covered the Named Entity Recognition techniques to create a knowledge graph. Here, we will take it up a notch and delve into Named Entity Linking. First of all, what exactly is Named Entity Linking?data:image/s3,"s3://crabby-images/10800/10800a305f8df1e35b64459605212461c5e7b738" alt=""
- https://wikifier.org/
- https://www.mpi-inf.mpg.de/departments/databases-and-information-systems/research/ambiverse-nlu/aida
- https://github.com/informagi/REL
- https://github.com/facebookresearch/BLINK
CALL apoc.periodic.iterate(' MATCH (s:Section) RETURN s ',' WITH s, "https://www.wikifier.org/annotate-article?" + "text=" + apoc.text.urlencode(s.text) + "&" + "lang=en&" + "pageRankSqThreshold=0.80&" + "applyPageRankSqThreshold=true&" + "nTopDfValuesToIgnore=200&" + "nWordsToIgnoreFromList=200&" + "minLinkFrequency=100&" + "maxMentionEntropy=10&" + "wikiDataClasses=false&" + "wikiDataClassIds=false&" + "userKey=" + $userKey as url CALL apoc.load.json(url) YIELD value UNWIND value.annotations as annotation MERGE (e:Entity{wikiDataItemId:annotation.wikiDataItemId}) ON CREATE SET e.title = annotation.title, e.url = annotation.url MERGE (s)-[:HAS_ENTITY]->(e)', {batchSize:100, params: {userKey:$user_key}})The Named Entity Linking process takes a couple of minutes. We can now check the most frequently mentioned entities.
MATCH (e:Entity) RETURN e.title, size((e)<--()) as mentions ORDER BY mentions DESC LIMIT 10;Here are the results:
data:image/s3,"s3://crabby-images/b1a3b/b1a3bfe672f8d6c36e903ef0b0c1115f656a32a2" alt=""
MATCH (e:Entity)<-[:HAS_ENTITY]-()<-[:HAS_SECTION]-()-[:HAS_TAG]->(tag) WITH tag.name as tag, e.title as title, count(*) as mentions ORDER BY mentions DESC RETURN tag, collect(title)[..3] as top_3_mentions LIMIT 5;Here are the results:
data:image/s3,"s3://crabby-images/9851d/9851d2ae13f27da4214ddd1383b4bafc3535d63b" alt=""
WikiData Enrichment
A bonus to using the Wikification process is that we have the WikiData item id of our entities. This makes it very easy for us to scrape the WikiData API for additional information. Let’s say we want to define all business and person entities. We will fetch the entity classes from WikiData API and use that information to group the entities. Again we will use the apoc.load.json procedure to retrieve the response from an API endpoint.MATCH (e:Entity) // Prepare a SparQL query WITH 'SELECT * WHERE{ ?item rdfs:label ?name . filter (?item = wd:' + e.wikiDataItemId + ') filter (lang(?name) = "en" ) . OPTIONAL{ ?item wdt:P31 [rdfs:label ?class] . filter (lang(?class)="en") }}' AS sparql, e // make a request to Wikidata CALL apoc.load.jsonParams( "https://query.wikidata.org/sparql?query=" + apoc.text.urlencode(sparql), { Accept: "application/sparql-results+json"}, null) YIELD value UNWIND value['results']['bindings'] as row FOREACH(ignoreme in case when row['class'] is not null then [1] else [] end | MERGE (c:Class{name:row['class']['value']}) MERGE (e)-[:INSTANCE_OF]->(c));We continue by inspecting the most frequent classes of the entities.
MATCH (c:Class) RETURN c.name as class, size((c)<--()) as count ORDER BY count DESC LIMIT 5;Here are the results:
data:image/s3,"s3://crabby-images/ae13d/ae13df991e95304986307583ce6abc756ca5645d" alt=""
MATCH (e:Entity)-[:INSTANCE_OF]->(c:Class) WHERE c.name in ["human"] SET e:Person; MATCH (e:Entity)-[:INSTANCE_OF]->(c:Class) WHERE c.name in ["business", "enterprise"] SET e:Business;With the added secondary label, we can now easily examine the most frequently-mentioned business entities.
MATCH (b:Business) RETURN b.title as business, size((b)<-[:HAS_ENTITY]-()) as mentions ORDER BY mentions DESC LIMIT 10Here are the results:
data:image/s3,"s3://crabby-images/a7a4f/a7a4fe92040e5e9be35d17bfe1d77180e34b1bc8" alt=""
MATCH (e:Business) // Prepare a SparQL query WITH 'SELECT * WHERE{ ?item rdfs:label ?name . filter (?item = wd:' + e.wikiDataItemId + ') filter (lang(?name) = "en" ) . OPTIONAL{ ?item wdt:P452 [rdfs:label ?industry] . filter (lang(?industry)="en") }}' AS sparql, e // make a request to Wikidata CALL apoc.load.jsonParams( "https://query.wikidata.org/sparql?query=" + apoc.text.urlencode(sparql), { Accept: "application/sparql-results+json"}, null) YIELD value UNWIND value['results']['bindings'] as row FOREACH(ignoreme in case when row['industry'] is not null then [1] else [] end | MERGE (i:Industry{name:row['industry']['value']}) MERGE (e)-[:PART_OF_INDUSTRY]->(i));
Exploratory Graph Analysis
Our data pipeline ingestion is complete. Now we can have some fun and explore our knowledge graph. First, we will examine the most co-occurrent entities of the most frequently-mentioned entity, which is Apple Inc. in my case.MATCH (b:Business) WITH b, size((b)<-[:HAS_ENTITY]-()) as mentions ORDER BY mentions DESC LIMIT 1 MATCH (other_entities)<-[:HAS_ENTITY]-()-[:HAS_ENTITY]->(b) RETURN other_entities.title as entity, count(*) as count ORDER BY count DESC LIMIT 10;Here are the results:
data:image/s3,"s3://crabby-images/6f92e/6f92e67587764106748c4ae5c9bbae49aec417fa" alt=""
MATCH (t:Tag)<-[:HAS_TAG]-()-[:HAS_SECTION]->()-[:HAS_ENTITY]->(entity:Business)-[:PART_OF_INDUSTRY]->(industry) WHERE t.name = "Stock Market" RETURN industry.name as industry, count(*) as mentions ORDER BY mentions DESC LIMIT 10Here are the results:
data:image/s3,"s3://crabby-images/8a199/8a1995a24638e79cccae5cf2d28d7ea057f1ba61" alt=""
MATCH (t:Tag)<-[:HAS_TAG]-()-[:HAS_SECTION]->()-[:HAS_ENTITY]->(entity) WHERE t.name = "Stock Market" AND (entity:Person OR entity:Business) RETURN entity.title as entity, count(*) as mentions ORDER BY mentions DESC LIMIT 10Here are the results:
data:image/s3,"s3://crabby-images/db72b/db72b8f251f86647bc7394906a3e48f57bc11a84" alt=""
MATCH (b:Business{title:"GameStop"})<-[:HAS_ENTITY]-()-[:HAS_ENTITY]->(other_entity) RETURN other_entity.title as co_occurent_entity, count(*) as mentions ORDER BY mentions DESC LIMIT 10Here are the results:
data:image/s3,"s3://crabby-images/e96a9/e96a9964c2e030608733ac62f0e6bfcb56c66768" alt=""
MATCH (b:Business{title:"GameStop"})<-[:HAS_ENTITY]-()-[:HAS_ENTITY]->(other_entity:Person) RETURN other_entity.title as co_occurent_entity, count(*) as mentions ORDER BY mentions DESC LIMIT 10Here are the results:
data:image/s3,"s3://crabby-images/c2f5f/c2f5f5b558bffaabac86344c0bc1d377da645763" alt=""
MATCH (b:Business{title:"GameStop"})<-[:HAS_ENTITY]-(section)-[:HAS_ENTITY]->(p:Person{title:"Alexandria Ocasio-Cortez"}) RETURN section.text as textHere are the results:
data:image/s3,"s3://crabby-images/db6b2/db6b2413d888397015659087ff370422c0fd3e4a" alt=""
Graph Data Science
So far, we have only done a couple of aggregations using the Cypher query language. As we are utilizing a knowledge graph to store our information, let’s execute some graph algorithms on it. Neo4j Graph Data Science library is a plugin for Neo4j that currently has more than 50 graph algorithms available. The algorithms range from community detection and centrality to node embedding and graph neural network categories. We have already inspected some co-occurring entities so far. Next, we infer a co-occurrence network of persons within our knowledge graph. This process basically translates indirect relationships, where two entities are mentioned in the same section, to a direct relationship between those two entities. This diagram might help you understand the process.data:image/s3,"s3://crabby-images/a244f/a244f82d2f912297123813a104505af39ba4cc01" alt=""
MATCH (s:Person)<-[:HAS_ENTITY]-()-[:HAS_ENTITY]->(t:Person) WHERE id(s) < id(t) WITH s,t, count(*) as weight MERGE (s)-[c:CO_OCCURENCE]-(t) SET c.weight = weightThe first graph algorithm we use is the Weakly Connected Components algorithm. It is used to identify disconnected components or islands within the network.
CALL gds.wcc.write({ nodeProjection:'Person', relationshipProjection:'CO_OCCURENCE', writeProperty:'wcc'}) YIELD componentCount, componentDistributionHere are the results:
data:image/s3,"s3://crabby-images/4ef05/4ef057301cc35fa9688bb7c8a2b8be5ed475e3ed" alt=""
MATCH (p:Person) WITH p.wcc as wcc, collect(p) as members ORDER BY size(members) DESC LIMIT 1 UNWIND members as member SET member:LargestWCCWe further analyze the largest component by examining its community structure and trying to find the most central nodes. When you have a plan to run multiple algorithms on the same projected graph, it is better to use a named graph. The relationship in the co-occurrence network is treated as undirected.
CALL gds.graph.create('person-cooccurence', 'LargestWCC', {CO_OCCURENCE:{orientation:'UNDIRECTED'}}, {relationshipProperties:['weight']})First, we run the PageRank algorithm, which helps us identify the most central nodes.
CALL gds.pageRank.write('person-cooccurence', {relationshipWeightProperty:'weight', writeProperty:'pagerank'})Next, we run the Louvain algorithm, which is a community detection algorithm.
CALL gds.louvain.write('person-cooccurence', {relationshipWeightProperty:'weight', writeProperty:'louvain'})Some people say that a picture is worth a thousand words. When you are dealing with smaller networks it makes sense to create a network visualization of the results. The following visualization was created using Neo4j Bloom.
data:image/s3,"s3://crabby-images/53f9a/53f9aebe2ebad2dd76d87f8efdd9f19c4a94c7be" alt=""
Conclusion
I really love how NLP and knowledge graphs are a perfect match. Hopefully, I have given you some ideas and pointers on how you can go about implementing your data pipeline and storing results in a form of a knowledge graph. Let me know what do you think! As always, the code is available on GitHub.References
[1] Janez Brank, Gregor Leban, Marko Grobelnik. Annotating Documents with Relevant Wikipedia Concepts. Proceedings of the Slovenian Conference on Data Mining and Data Warehouses (SiKDD 2017), Ljubljana, Slovenia, 9 October 2017.Making Sense of News, the Knowledge Graph Way was originally published in Neo4j Developer Blog on Medium, where people are continuing the conversation by highlighting and responding to this story.