WhiteAngels commited on
Commit
b82696e
1 Parent(s): b236025

Update app.py

Browse files
Files changed (1) hide show
  1. app.py +89 -139
app.py CHANGED
@@ -1,160 +1,110 @@
 
 
1
  import streamlit as st
2
- from transformers import pipeline, AutoTokenizer, AutoModelForTokenClassification, AutoModelForSequenceClassification, AutoModelForCausalLM
3
  import pandas as pd
 
4
 
5
- # Uygulama sayfa ayarları
6
  st.set_page_config(layout="wide")
7
 
8
- # Örnek metin listesi
9
  example_list = [
10
- "Mustafa Kemal Atatürk 1919 yılında Samsun'a çıktı.",
11
- "Bugün hava çok güzel ve enerjik hissediyorum.",
12
- "Yapay zeka ve makine öğrenimi hakkında birçok gelişme var."
13
  ]
14
 
15
- # Uygulama başlığı
16
- st.title("NLP Toolkit")
17
 
18
- # Görev seçimi
19
- task_list = ['Metin Sınıflandırma', 'Metin Analizi', 'Duygu Analizi', 'Metin Oluşturma', 'Varlık Tanıma']
20
- task = st.sidebar.selectbox("Görev Seç", task_list)
 
 
21
 
22
- # Metin giriş yöntemi
23
- st.subheader("Metin Giriş Yöntemi Seç")
24
- input_method = st.radio("", ('Örneklerden Seç', 'Metin Yaz veya Yapıştır'))
25
 
26
- # Metin girişine göre seçim
27
- if input_method == 'Örneklerden Seç':
28
- selected_text = st.selectbox('Metin Seç', example_list)
29
- input_text = st.text_area("Seçilen Metin", selected_text, height=128)
30
- elif input_method == "Metin Yaz veya Yapıştır":
31
- input_text = st.text_area('Metin Yaz veya Yapıştır', '', height=128)
32
 
33
- @st.cache_resource
34
- def load_pipeline(model_name, task_type):
35
- if task_type == "Metin Sınıflandırma":
36
- model = AutoModelForSequenceClassification.from_pretrained("nlptown/bert-base-multilingual-uncased-sentiment")
37
- tokenizer = AutoTokenizer.from_pretrained("nlptown/bert-base-multilingual-uncased-sentiment")
38
- return pipeline('text-classification', model=model, tokenizer=tokenizer)
39
- elif task_type == "Metin Analizi":
40
- model = AutoModelForTokenClassification.from_pretrained("dbmdz/bert-base-turkish-cased")
41
- tokenizer = AutoTokenizer.from_pretrained("dbmdz/bert-base-turkish-cased")
42
- return pipeline('ner', model=model, tokenizer=tokenizer)
43
- elif task_type == "Duygu Analizi":
44
- model = AutoModelForSequenceClassification.from_pretrained("cardiffnlp/twitter-roberta-base-sentiment")
45
- tokenizer = AutoTokenizer.from_pretrained("cardiffnlp/twitter-roberta-base-sentiment")
46
- return pipeline('sentiment-analysis', model=model, tokenizer=tokenizer)
47
- elif task_type == "Metin Oluşturma":
48
- model = AutoModelForCausalLM.from_pretrained("gpt2")
49
- tokenizer = AutoTokenizer.from_pretrained("gpt2")
50
- return pipeline('text-generation', model=model, tokenizer=tokenizer)
51
-
52
- # Görev ve modele göre pipeline yükleme
53
- model_dict = {
54
- "Metin Sınıflandırma": "nlptown/bert-base-multilingual-uncased-sentiment",
55
- "Metin Analizi": "dbmdz/bert-base-turkish-cased",
56
- "Duygu Analizi": "cardiffnlp/twitter-roberta-base-sentiment",
57
- "Metin Oluşturma": "gpt2",
58
- "Varlık Tanıma": "dbmdz/bert-base-turkish-cased"
59
- }
60
 
61
- pipeline_model = load_pipeline(model_dict[task], task)
 
 
 
 
62
 
63
- def process_entities(entities, text):
64
- """
65
- Varlıkları birleştirip anlamlı bir şekilde düzenler.
66
- """
67
- processed_entities = []
68
- current_entity = None
69
 
70
- for entity in entities:
71
- if entity['entity'].startswith('I-'):
72
- if current_entity and current_entity['label'] == entity['entity']:
73
- current_entity['word'] += entity['word'].replace('##', '')
74
- current_entity['end'] = entity['end']
75
- current_entity['score'] = max(current_entity['score'], entity['score'])
76
- else:
77
- if current_entity:
78
- processed_entities.append(current_entity)
79
- current_entity = {
80
- 'label': entity['entity'],
81
- 'word': entity['word'].replace('##', ''),
82
- 'start': entity['start'],
83
- 'end': entity['end'],
84
- 'score': entity['score']
85
- }
86
  else:
87
- if current_entity:
88
- processed_entities.append(current_entity)
89
- current_entity = None
90
- if current_entity:
91
- processed_entities.append(current_entity)
92
-
93
- return processed_entities
94
-
95
- if st.button("Çalıştır") and input_text:
96
- if task in ["Metin Sınıflandırma", "Duygu Analizi"]:
97
- output = pipeline_model(input_text)
98
- df = pd.DataFrame(output)
99
- st.subheader(f"{task} Sonuçları")
100
- st.dataframe(df)
101
- elif task == "Metin Analizi":
102
- output = pipeline_model(input_text)
103
 
104
- # Çıktıyı gözlemleme
105
- st.write(output)
106
 
107
- # Varlıkları işlemek için uygun formatı kontrol edin
108
- if len(output) > 0 and 'entity' in output[0]:
109
- # Process entities
110
- processed_entities = []
111
- for entity in output:
112
- word = entity['word']
113
- label = entity['entity']
114
- score = entity['score']
115
- start = entity['start']
116
- end = entity['end']
117
- processed_entities.append({
118
- 'word': word,
119
- 'label': label,
120
- 'score': score,
121
- 'start': start,
122
- 'end': end
123
- })
124
 
125
- # Aggregate entities
126
- df = pd.DataFrame(process_entities(processed_entities, input_text))
127
- st.subheader("Tanımlanan Varlıklar")
128
- st.dataframe(df)
129
-
130
- # Metni formatla
131
- def format_text(text_data, original_text):
132
- formatted_text = ""
133
- last_end = 0
134
- for item in text_data:
135
- if item['start'] > last_end:
136
- formatted_text += original_text[last_end:item['start']]
137
- word = item['word']
138
- label = item['label']
139
- score = item['score']
140
- if label.startswith('I-PER'):
141
- color = 'blue'
142
- elif label.startswith('I-MISC'):
143
- color = 'green'
144
- else:
145
- color = 'gray'
146
- formatted_text += f"<span style='color:{color}; font-weight: bold;'>{word} ({label}, {score:.2f})</span>"
147
- last_end = item['end']
148
- if last_end < len(original_text):
149
- formatted_text += original_text[last_end:]
150
- return formatted_text
151
 
152
- formatted_text = format_text(process_entities(processed_entities, input_text), input_text)
153
- st.subheader("Analiz Edilen Metin")
154
- st.markdown(f"<p>{formatted_text}</p>", unsafe_allow_html=True)
 
 
 
 
 
 
155
  else:
156
- st.error("Varlık analizi sonucu beklenen formatta değil.")
157
- elif task == "Metin Oluşturma":
158
- output = pipeline_model(input_text, max_length=100, num_return_sequences=1)
159
- st.subheader("Oluşturulan Metin")
160
- st.write(output[0]['generated_text'])
 
 
1
+ from transformers import pipeline, AutoModelForTokenClassification, AutoTokenizer, DebertaV2Tokenizer, DebertaV2Model
2
+ import sentencepiece
3
  import streamlit as st
 
4
  import pandas as pd
5
+ import spacy
6
 
 
7
  st.set_page_config(layout="wide")
8
 
 
9
  example_list = [
10
+ "Mustafa Kemal Atatürk 1919 yılında Samsun'a çıktı.",
11
+ """Mustafa Kemal Atatürk, Türk asker, devlet adamı ve Türkiye Cumhuriyeti'nin kurucusudur.
12
+ Birinci Dünya Savaşı sırasında Osmanlı ordusunda görev yapan Atatürk, Çanakkale Cephesi'nde miralaylığa, Sina ve Filistin Cephesi'nde ise Yıldırım Orduları komutanlığına atandı. Savaşın sonunda, Osmanlı Imparatorluğu'nun yenilgisini takiben Kurtuluş Savaşı ile simgelenen Türk Ulusal Hareketi'ne öncülük ve önderlik etti. Türk Kurtuluş Savaşı sürecinde Ankara Hükümeti'ni kurdu, Türk Orduları Başkomutanı olarak Sakarya Meydan Muharebesi'ndeki başarısından dolayı 19 Eylül 1921 tarihinde "Gazi" unvanını aldı ve mareşallik rütbesine yükseldi. Askeri ve siyasi eylemleriyle İtilaf Devletleri ve destekçilerine karşı zafer kazandı. Savaşın ardından Cumhuriyet Halk Partisi'ni Halk Fırkası adıyla kurdu ve ilk genel başkanı oldu. 29 Ekim 1923'te Cumhuriyetin ilanı akabinde Cumhurbaşkanı seçildi. 1938'deki ölümüne dek dört dönem bu görevi yürüterek Türkiye'de en uzun süre cumhurbaşkanlığı yapmış kişi oldu."""
13
  ]
14
 
15
+ st.title("Demo for Turkish NER Models")
 
16
 
17
+ model_list = ['akdeniz27/bert-base-turkish-cased-ner',
18
+ 'akdeniz27/convbert-base-turkish-cased-ner',
19
+ # 'akdeniz27/xlm-roberta-base-turkish-ner',
20
+ 'xlm-roberta-large-finetuned-conll03-english',
21
+ 'asahi417/tner-xlm-roberta-base-ontonotes5']
22
 
23
+ st.sidebar.header("Select NER Model")
24
+ model_checkpoint = st.sidebar.radio("", model_list)
 
25
 
26
+ st.sidebar.write("For details of models: 'https://huggingface.co/akdeniz27/")
27
+ st.sidebar.write("")
 
 
 
 
28
 
29
+ if model_checkpoint == "akdeniz27/xlm-roberta-base-turkish-ner":
30
+ aggregation = "simple"
31
+ elif model_checkpoint == "xlm-roberta-large-finetuned-conll03-english" or model_checkpoint == "asahi417/tner-xlm-roberta-base-ontonotes5":
32
+ aggregation = "simple"
33
+ st.sidebar.write("")
34
+ st.sidebar.write("The selected NER model is included just to show the zero-shot transfer learning capability of XLM-Roberta pretrained language model.")
35
+ else:
36
+ aggregation = "first"
37
+
38
+ st.subheader("Select Text Input Method")
39
+ input_method = st.radio("", ('Select from Examples', 'Write or Paste New Text'))
40
+ if input_method == 'Select from Examples':
41
+ selected_text = st.selectbox('Select Text from List', example_list, index=0, key=1)
42
+ st.subheader("Text to Run")
43
+ input_text = st.text_area("Selected Text", selected_text, height=128, max_chars=None, key=2)
44
+ elif input_method == "Write or Paste New Text":
45
+ st.subheader("Text to Run")
46
+ input_text = st.text_area('Write or Paste Text Below', value="", height=128, max_chars=None, key=2)
 
 
 
 
 
 
 
 
 
47
 
48
+ @st.cache_resource
49
+ def setModel(model_checkpoint, aggregation):
50
+ model = AutoModelForTokenClassification.from_pretrained(model_checkpoint)
51
+ tokenizer = AutoTokenizer.from_pretrained(model_checkpoint)
52
+ return pipeline('ner', model=model, tokenizer=tokenizer, aggregation_strategy=aggregation)
53
 
54
+ @st.cache_resource
55
+ def get_html(html: str):
56
+ WRAPPER = """<div style="overflow-x: auto; border: 1px solid #e6e9ef; border-radius: 0.25rem; padding: 1rem; margin-bottom: 2.5rem">{}</div>"""
57
+ html = html.replace("\n", " ")
58
+ return WRAPPER.format(html)
 
59
 
60
+ @st.cache_resource
61
+ def entity_comb(output):
62
+ output_comb = []
63
+ for ind, entity in enumerate(output):
64
+ if ind == 0:
65
+ output_comb.append(entity)
66
+ elif output[ind]["start"] == output[ind-1]["end"] and output[ind]["entity_group"] == output[ind-1]["entity_group"]:
67
+ output_comb[-1]["word"] = output_comb[-1]["word"] + output[ind]["word"]
68
+ output_comb[-1]["end"] = output[ind]["end"]
 
 
 
 
 
 
 
69
  else:
70
+ output_comb.append(entity)
71
+ return output_comb
 
 
 
 
 
 
 
 
 
 
 
 
 
 
72
 
73
+ Run_Button = st.button("Run", key=None)
 
74
 
75
+ if Run_Button and input_text != "":
76
+
77
+ ner_pipeline = setModel(model_checkpoint, aggregation)
78
+ output = ner_pipeline(input_text)
79
+
80
+ output_comb = entity_comb(output)
81
+
82
+ df = pd.DataFrame.from_dict(output_comb)
83
+ cols_to_keep = ['word','entity_group','score','start','end']
84
+ df_final = df[cols_to_keep]
85
+
86
+ st.subheader("Recognized Entities")
87
+ st.dataframe(df_final)
 
 
 
 
88
 
89
+ st.subheader("Spacy Style Display")
90
+ spacy_display = {}
91
+ spacy_display["ents"] = []
92
+ spacy_display["text"] = input_text
93
+ spacy_display["title"] = None
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
94
 
95
+ for entity in output_comb:
96
+ spacy_display["ents"].append({"start": entity["start"], "end": entity["end"], "label": entity["entity_group"]})
97
+
98
+ tner_entity_list = ["person", "group", "facility", "organization", "geopolitical area", "location", "product", "event", "work of art", "law", "language", "date", "time", "percent", "money", "quantity", "ordinal number", "cardinal number"]
99
+ spacy_entity_list = ["PERSON", "NORP", "FAC", "ORG", "GPE", "LOC", "PRODUCT", "EVENT", "WORK_OF_ART", "LAW", "LANGUAGE", "DATE", "TIME", "PERCENT", "MONEY", "QUANTITY", "ORDINAL", "CARDINAL", "MISC"]
100
+
101
+ for ent in spacy_display["ents"]:
102
+ if model_checkpoint == "asahi417/tner-xlm-roberta-base-ontonotes5":
103
+ ent["label"] = spacy_entity_list[tner_entity_list.index(ent["label"])]
104
  else:
105
+ if ent["label"] == "PER": ent["label"] = "PERSON"
106
+
107
+ # colors = {'PER': '#85DCDF', 'LOC': '#DF85DC', 'ORG': '#DCDF85', 'MISC': '#85ABDF',}
108
+ html = spacy.displacy.render(spacy_display, style="ent", minify=True, manual=True, options={"ents": spacy_entity_list}) # , "colors": colors})
109
+ style = "<style>mark.entity { display: inline-block }</style>"
110
+ st.write(f"{style}{get_html(html)}", unsafe_allow_html=True)