BioMike's picture
Upload 22 files
5571f23 verified
raw
history blame
No virus
4.56 kB
from typing import Dict, Union, List
from .base_pipeline import transformers_pipeline
import gradio as gr
text2 = """
Apple Inc. is an American multinational technology company headquartered in Cupertino, California. Apple is the world's largest technology company by revenue, with US$394.3 billion in 2022 revenue. As of March 2023, Apple is the world's biggest company by market capitalization. As of June 2022, Apple is the fourth-largest personal computer vendor by unit sales and the second-largest mobile phone manufacturer in the world. It is considered one of the Big Five American information technology companies, alongside Alphabet (parent company of Google), Amazon, Meta Platforms, and Microsoft.
Microsoft was founded by Bill Gates and Paul Allen on April 4, 1975 to develop and sell BASIC interpreters for the Altair 8800. During his career at Microsoft, Gates held the positions of chairman, chief executive officer, president and chief software architect, while also being the largest individual shareholder until May 2014.
Apple was founded as Apple Computer Company on April 1, 1976, by Steve Wozniak, Steve Jobs (1955–2011) and Ronald Wayne to develop and sell Wozniak's Apple I personal computer. It was incorporated by Jobs and Wozniak as Apple Computer, Inc. in 1977. The company's second computer, the Apple II, became a best seller and one of the first mass-produced microcomputers. Apple went public in 1980 to instant financial success. The company developed computers featuring innovative graphical user interfaces, including the 1984 original Macintosh, announced that year in a critically acclaimed advertisement called "1984". By 1985, the high cost of its products, and power struggles between executives, caused problems. Wozniak stepped back from Apple and pursued other ventures, while Jobs resigned and founded NeXT, taking some Apple employees with him.
"""
qa_examples = [
[
f"Who are the founders of Microsoft",
text2,
0.1,
False
],
[
f"Who are the founders of Apple?",
text2,
0.5,
False
]]
def process(prompt, text, treshold=0.5, label = "answer"):
"""
Processes text by preparing prompt and adjusting indices.
Args:
text (str): The text to process
prompt (str): The prompt to prepend to the text
Returns:
list: A list of dicts with adjusted spans and scores
"""
# Concatenate text and prompt for full input
input_ = f"{prompt}\n{text}"
results = transformers_pipeline(input_) # Run NLP on full input
processed_results = []
prompt_length = len(prompt) # Get prompt length
for result in results:
# check whether score is higher than treshold
if result['score']<treshold:
continue
# Adjust indices by subtracting prompt length
start = result['start'] - prompt_length
# If indexes belongs to the prompt - continue
if start<0:
continue
end = result['end'] - prompt_length
# Extract span from original text using adjusted indices
span = text[start:end]
# Create processed result dict
processed_result = {
'span': span,
'start': start,
'end': end,
'score': result['score'],
'entity': label
}
processed_results.append(processed_result)
output = {"text": text, "entities": processed_results}
return output
with gr.Blocks(title="Question Answering Task") as qa_interface:
question = gr.Textbox(label="Question", placeholder="Enter your question here")
input_text = gr.Textbox(label="Text input", placeholder="Enter your text here")
threshold = gr.Slider(0, 1, value=0.3, step=0.01, label="Threshold", info="Lower the threshold to increase how many entities get predicted.")
output = gr.HighlightedText(label="Predicted Entities")
submit_btn = gr.Button("Submit")
examples = gr.Examples(
qa_examples,
fn=process,
inputs=[question, input_text, threshold],
outputs=output,
cache_examples=True
)
theme=gr.themes.Base()
input_text.submit(fn=process, inputs=[question, input_text, threshold], outputs=output)
question.submit(fn=process, inputs=[question, input_text, threshold], outputs=output)
threshold.release(fn=process, inputs=[question, input_text, threshold], outputs=output)
submit_btn.click(fn=process, inputs=[question, input_text, threshold], outputs=output)
if __name__ == "__main__":
qa_interface.launch()