In this guide, we demonstrate how to leverage Unstructured.IO, ChromaDB, and LangChain to summarize topics from the front page of CNN Lite. Utilizing the modern LLM stack, including Unstructured, Chroma, and LangChain, this workflow is streamlined to less than two dozen lines of code.
First, we gather links from the CNN Lite homepage using the partition_html function from Unstructured. When Unstructured partitions HTML pages, links are included in the metadata for each element, making link collection straightforward.
Copy
Ask AI
from unstructured.partition.html import partition_htmlcnn_lite_url = "https://lite.cnn.com/"elements = partition_html(url=cnn_lite_url)links = []for element in elements: if element.metadata.link_urls: relative_link = element.metadata.link_urls[0][1:] if relative_link.startswith("2024"): links.append(f"{cnn_lite_url}{relative_link}")
Ingest Individual Articles with UnstructuredURLLoader
With the links in hand, we preprocess individual news articles using UnstructuredURLLoader. This loader fetches content from the web and then uses the unstructured partition function to extract content and metadata. Here we preprocess HTML files, but it also works with other response types like application/pdf. The result is a list of LangChain Document objects.
Copy
Ask AI
from langchain.document_loaders import UnstructuredURLLoaderloaders = UnstructuredURLLoader(urls=links, show_progress_bar=True)docs = loaders.load()
The next step is to load the preprocessed documents into ChromaDB. This process involves vectorizing the documents using OpenAI embeddings and loading them into Chroma’s vector store. Once in Chroma, similarity search can be performed to retrieve documents related to specific topics.
Copy
Ask AI
from langchain.vectorstores.chroma import Chromafrom langchain.embeddings import OpenAIEmbeddingsembeddings = OpenAIEmbeddings()vectorstore = Chroma.from_documents(docs, embeddings)query_docs = vectorstore.similarity_search("Update on the coup in Niger.", k=1)
After retrieving relevant documents from Chroma, we summarize them using LangChain. The load_summarization_chain function allows for easy summarization, simply requiring the selection of an LLM and summarization chain.