| Research preview | Paper | Website |
Latest News π₯
- [2024/07] You can now install our package with
pip install knowledge-storm
! - [2024/07] We add
VectorRM
to support grounding on user-provided documents, complementing existing support of search engines (YouRM
,BingSearch
). (check out #58) - [2024/07] We release demo light for developers a minimal user interface built with streamlit framework in Python, handy for local development and demo hosting (checkout #54)
- [2024/06] We will present STORM at NAACL 2024! Find us at Poster Session 2 on June 17 or check our presentation material.
- [2024/05] We add Bing Search support in rm.py. Test STORM with
GPT-4o
- we now configure the article generation part in our demo usingGPT-4o
model. - [2024/04] We release refactored version of STORM codebase! We define interface for STORM pipeline and reimplement STORM-wiki (check out
src/storm_wiki
) to demonstrate how to instantiate the pipeline. We provide API to support customization of different language models and retrieval/search integration.
Overview (Try STORM now!)
While the system cannot produce publication-ready articles that often require a significant number of edits, experienced Wikipedia editors have found it helpful in their pre-writing stage.
Try out our live research preview to see how STORM can help your knowledge exploration journey and please provide feedback to help us improve the system π!
STORM breaks down generating long articles with citations into two steps:
- Pre-writing stage: The system conducts Internet-based research to collect references and generates an outline.
- Writing stage: The system uses the outline and references to generate the full-length article with citations.
STORM identifies the core of automating the research process as automatically coming up with good questions to ask. Directly prompting the language model to ask questions does not work well. To improve the depth and breadth of the questions, STORM adopts two strategies:
- Perspective-Guided Question Asking: Given the input topic, STORM discovers different perspectives by surveying existing articles from similar topics and uses them to control the question-asking process.
- Simulated Conversation: STORM simulates a conversation between a Wikipedia writer and a topic expert grounded in Internet sources to enable the language model to update its understanding of the topic and ask follow-up questions.
Based on the separation of the two stages, STORM is implemented in a highly modular way using dspy.
To install the knowledge storm library, use pip install knowledge-storm
.
You could also install the source code which allows you to modify the behavior of STORM engine directly.
-
Clone the git repository.
git clone https://github.com/stanford-oval/storm.git cd storm
-
Install the required packages.
conda create -n storm python=3.11 conda activate storm pip install -r requirements.txt
The STORM knowledge curation engine is defined as a simple Python STORMWikiRunner
class.
As STORM is working in the information curation layer, you need to set up the information retrieval module and language model module to create a STORMWikiRunner
instance. Here is an example of using You.com search engine and OpenAI models.
import os
from knowledge_storm import STORMWikiRunnerArguments, STORMWikiRunner, STORMWikiLMConfigs
from knowledge_storm.lm import OpenAIModel
from knowledge_storm.rm import YouRM
lm_configs = STORMWikiLMConfigs()
openai_kwargs = {
'api_key': os.getenv("OPENAI_API_KEY"),
'temperature': 1.0,
'top_p': 0.9,
}
# STORM is a LM system so different components can be powered by different models to reach a good balance between cost and quality.
# For a good practice, choose a cheaper/faster model for `conv_simulator_lm` which is used to split queries, synthesize answers in the conversation.
# Choose a more powerful model for `article_gen_lm` to generate verifiable text with citations.
gpt_35 = OpenAIModel(model='gpt-3.5-turbo', max_tokens=500, **openai_kwargs)
gpt_4 = OpenAIModel(model='gpt-4-o', max_tokens=3000, **openai_kwargs)
lm_configs.set_conv_simulator_lm(gpt_35)
lm_configs.set_question_asker_lm(gpt_35)
lm_configs.set_outline_gen_lm(gpt_4)
lm_configs.set_article_gen_lm(gpt_4)
lm_configs.set_article_polish_lm(gpt_4)
# Check out the STORMWikiRunnerArguments class for more configurations.
engine_args = STORMWikiRunnerArguments(...)
rm = YouRM(ydc_api_key=os.getenv('YDC_API_KEY'), k=engine_args.search_top_k)
runner = STORMWikiRunner(engine_args, lm_configs, rm)
Currently, our package support:
OpenAIModel
,AzureOpenAIModel
,ClaudeModel
,VLLMClient
,TGIClient
,TogetherClient
,OllamaClient
,GoogleModel
,DeepSeekModel
as language model componentsYouRM
,BingSearch
,VectorRM
,SerperRM
,BraveRM
as retrieval module components
π PRs for integrating more language models into knowledge_storm/lm.py and search engines/retrievers into knowledge_storm/rm.py are highly appreciated!
The STORMWikiRunner
instance can be evoked with the simple run
method:
topic = input('Topic: ')
runner.run(
topic=topic,
do_research=True,
do_generate_outline=True,
do_generate_article=True,
do_polish_article=True,
)
runner.post_run()
runner.summary()
do_research
: if True, simulate conversations with difference perspectives to collect information about the topic; otherwise, load the results.do_generate_outline
: if True, generate an outline for the topic; otherwise, load the results.do_generate_article
: if True, generate an article for the topic based on the outline and the collected information; otherwise, load the results.do_polish_article
: if True, polish the article by adding a summarization section and (optionally) removing duplicate content; otherwise, load the results.
We provide scripts in our examples folder as a quick start to run STORM with different configurations.
To run STORM with gpt
family models with default configurations:
- We suggest using
secrets.toml
to set up the API keys. Create a filesecrets.toml
under the root directory and add the following content:# Set up OpenAI API key. OPENAI_API_KEY="your_openai_api_key" # If you are using the API service provided by OpenAI, include the following line: OPENAI_API_TYPE="openai" # If you are using the API service provided by Microsoft Azure, include the following lines: OPENAI_API_TYPE="azure" AZURE_API_BASE="your_azure_api_base_url" AZURE_API_VERSION="your_azure_api_version" # Set up You.com search API key. YDC_API_KEY="your_youcom_api_key"
- Run the following command.
python examples/run_storm_wiki_gpt.py \ --output-dir $OUTPUT_DIR \ --retriever you \ --do-research \ --do-generate-outline \ --do-generate-article \ --do-polish-article
To run STORM using your favorite language models or grounding on your own corpus: Check out examples/README.md.
If you have installed the source code, you can customize STORM based on your own use case. STORM engine consists of 4 modules:
- Knowledge Curation Module: Collects a broad coverage of information about the given topic.
- Outline Generation Module: Organizes the collected information by generating a hierarchical outline for the curated knowledge.
- Article Generation Module: Populates the generated outline with the collected information.
- Article Polishing Module: Refines and enhances the written article for better presentation.
The interface for each module is defined in knowledge_storm/interface.py
, while their implementations are instantiated in knowledge_storm/storm_wiki/modules/*
. These modules can be customized according to your specific requirements (e.g., generating sections in bullet point format instead of full paragraphs).
Please switch to the branch NAACL-2024-code-backup
Show me instructions
The FreshWiki dataset used in our experiments can be found in ./FreshWiki.
Run the following commands under ./src.
For batch experiment on FreshWiki dataset:
python -m scripts.run_prewriting --input-source file --input-path ../FreshWiki/topic_list.csv --engine gpt-4 --do-research --max-conv-turn 5 --max-perspective 5
--engine
(choices=[gpt-4
,gpt-35-turbo
]): the LLM engine used for generating the outline--do-research
: if True, simulate conversation to research the topic; otherwise, load the results.--max-conv-turn
: the maximum number of questions for each information-seeking conversation--max-perspective
: the maximum number of perspectives to be considered, each perspective corresponds to an information-seeking conversation.- STORM also uses a general conversation to collect basic information about the topic. So, the maximum number of QA pairs is
max_turn * (max_perspective 1)
. π‘ Reducingmax_turn
ormax_perspective
can speed up the process and reduce the cost but may result in less comprehensive outline. - The parameter will not have any effect if
--disable-perspective
is set (the perspective-driven question asking is disabled).
- STORM also uses a general conversation to collect basic information about the topic. So, the maximum number of QA pairs is
To run the experiment on a single topic:
python -m scripts.run_prewriting --input-source console --engine gpt-4 --max-conv-turn 5 --max-perspective 5 --do-research
- The script will ask you to enter the
Topic
and theGround truth url
that will be excluded. If you do not have any url to exclude, leave that field empty.
The generated outline will be saved in {output_dir}/{topic}/storm_gen_outline.txt
and the collected references will be saved in {output_dir}/{topic}/raw_search_results.json
.
For batch experiment on FreshWiki dataset:
python -m scripts.run_writing --input-source file --input-path ../FreshWiki/topic_list.csv --engine gpt-4 --do-polish-article --remove-duplicate
--do-polish-article
: if True, polish the article by adding a summarization section and removing duplicate content if--remove-duplicate
is set True.
To run the experiment on a single topic:
python -m scripts.run_writing --input-source console --engine gpt-4 --do-polish-article --remove-duplicate
- The script will ask you to enter the
Topic
. Please enter the same topic as the one used in the pre-writing stage.
The generated article will be saved in {output_dir}/{topic}/storm_gen_article.txt
and the references corresponding to citation index will be saved in {output_dir}/{topic}/url_to_info.json
. If --do-polish-article
is set, the polished article will be saved in {output_dir}/{topic}/storm_gen_article_polished.txt
.
We set up the default LLM configuration in LLMConfigs
in src/modules/utils.py. You can use set_conv_simulator_lm()
,set_question_asker_lm()
, set_outline_gen_lm()
, set_article_gen_lm()
, set_article_polish_lm()
to override the default configuration. These functions take in an instance from dspy.dsp.LM
or dspy.dsp.HFModel
.
In our paper, we break down the evaluation into two parts: outline quality and full-length article quality.
We introduce heading soft recall and heading entity recall to evaluate the outline quality. This makes it easier to prototype methods for pre-writing.
Run the following command under ./eval to compute the metrics on FreshWiki dataset:
python eval_outline_quality.py --input-path ../FreshWiki/topic_list.csv --gt-dir ../FreshWiki --pred-dir ../results --pred-file-name storm_gen_outline.txt --result-output-path ../results/storm_outline_quality.csv
eval/eval_article_quality.py provides the entry point of evaluating full-length article quality using ROUGE, entity recall, and rubric grading. Run the following command under eval
to compute the metrics:
python eval_article_quality.py --input-path ../FreshWiki/topic_list.csv --gt-dir ../FreshWiki --pred-dir ../results --gt-dir ../FreshWiki --output-dir ../results/storm_article_eval_results --pred-file-name storm_gen_article_polished.txt
The similarity-based metrics (i.e., ROUGE, entity recall, and heading entity recall) are implemented in eval/metrics.py.
For rubric grading, we use the prometheus-13b-v1.0 introduced in this paper. eval/evaluation_prometheus.py provides the entry point of using the metric.
Our team is actively working on:
- Human-in-the-Loop Functionalities: Supporting user participation in the knowledge curation process.
- Information Abstraction: Developing abstractions for curated information to support presentation formats beyond the Wikipedia-style report.
If you have any questions or suggestions, please feel free to open an issue or pull request. We welcome contributions to improve the system and the codebase!
Contact person: Yijia Shao and Yucheng Jiang
We would like to thank Wikipedia for their excellent open-source content. The FreshWiki dataset is sourced from Wikipedia, licensed under the Creative Commons Attribution-ShareAlike (CC BY-SA) license.
We are very grateful to Michelle Lam for designing the logo for this project and Dekun Ma for leading the UI development.
Please cite our paper if you use this code or part of it in your work:
@inproceedings{shao2024assisting,
title={{Assisting in Writing Wikipedia-like Articles From Scratch with Large Language Models}},
author={Yijia Shao and Yucheng Jiang and Theodore A. Kanell and Peter Xu and Omar Khattab and Monica S. Lam},
year={2024},
booktitle={Proceedings of the 2024 Conference of the North American Chapter of the Association for Computational Linguistics: Human Language Technologies, Volume 1 (Long and Short Papers)}
}