-
Notifications
You must be signed in to change notification settings - Fork 0
/
notebook_de_testes.py
723 lines (509 loc) · 23.1 KB
/
notebook_de_testes.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
# To add a new cell, type '# %%'
# To add a new markdown cell, type '# %% [markdown]'
# %%
import pandas as pd
import natsort as ns
import numpy as np
import nltk
import os
import fakenewsanalyzerptbr as fna
import string
import unidecode
import matplotlib.pyplot as plt
import seaborn as sns
import time
from nltk.util import ngrams
import sklearn
from sklearn.feature_extraction.text import CountVectorizer
from sklearn.model_selection import train_test_split
from sklearn.linear_model import LogisticRegression
import random
from PIL import Image
from wordcloud import WordCloud, ImageColorGenerator
import matplotlib.pyplot as plt
# %%
path = 'data'
dataset_csv = 'real_and_fake_news_corpus_pt_br.csv'
# %%
news = pd.read_csv(os.path.join(path, dataset_csv))
# %%
news.name = "ALL NEWS"
# %%
news.head(2)
# %%
classification = news["Tag"].replace(["FAKE", "REAL"], [0, 1])
news["classification"] = classification
# %%
_, all_words, len_all_words = fna.word_cloud_complete(news, "news_text_full", "classification")
# %%
_, fake_words, len_fake_words = fna.word_cloud_fake(news, "news_text_full", "classification")
# %%
_, real_words, len_real_words = fna.word_cloud_real(news, "news_text_full", "classification")
# %%
len(real_words)
# %%
len(news.query('classification == 0'))
# %%
news_fake = news.query('classification == 0')
news_real = news.query('classification == 1')
news_fake.head(2)
# %%
news_real.head(2)
# %%
list(news_fake['news_text_full'].head(1))
# %%
list(news_fake['author'].unique())
# %%
news_fake.groupby('author').count()
# %%
news_fake[news_fake.author == 'None'].groupby('author').count()
# %%
news_real[news_real.author == 'None'].groupby('author').count()
# %%
news["author_score"] = 1
# %%
# Criação da coluna "author_score" sendo 1 para autor existente e 0 para notícias sem autor
news["author_score"] = news["author"].replace(["None"], [0])
news["author_score"] = news["author_score"].where(news["author_score"] == 0, 1)
# %%
news.head()
# %%
# Contagem de notícias sem autor
news[news.author_score == 0].groupby('classification').count()
# %%
# Preprocessamento do dataset:
# %%
# Unicodes para retirar:
unicodes_to_strip = {
"\n\n": " ",
"\n": " ",
"\ufeff": "",
"\x85": "",
"\x91": "",
"\x92": "",
"\x93": "",
"\x94": "",
"\x96": "",
"\x97": ""
}
personalized_simbols = ["“",
"”",
",",
"”,",
'""."',
'"),"',
'–',
'R',
'..',
'""","',
'[...]',
').',
'...',
'"."""',
'),',
'".',
'aa']
string.punctuation
# %%
# Conversão da string de pontuações em lista
punctuation_list = list()
for punct in string.punctuation:
punctuation_list.append(punct)
# Adicionando strings de pontuação que não estão presentes em string.punctuation (“ e ”)
#punctuation = string.punctuation + '“' + '”'
punctuation_simbols_list = punctuation_list + personalized_simbols
punctuation_simbols_list[:10]
# %%
# TESTE - Decodificar texto já sem acentos nem unicode
with open('data/full_texts/fake/2.txt', 'r', encoding='utf8') as text:
teste1 = unidecode.unidecode(text.read())
for key in unicodes_to_strip:
teste1 = teste1.replace(key, unicodes_to_strip[key])
#teste1 = text.read()
teste1[:150]
# %%
with open(os.path.join('data','stopwords_nltk_ordered.txt'), 'r', encoding='utf8') as text:
#stop_words_extended = unidecode.unidecode(text.read().splitlines())
stop_words_extended = text.read().splitlines()
stop_words_extended = set(nltk.tokenize.wordpunct_tokenize(unidecode.unidecode(' '.join(stop_words_extended))))
# %%
clean_phrases = list()
tokens_traitement_1 = list()
#stop_words_nltk = set(nltk.corpus.stopwords.words('portuguese'))
#stop_words_nltk = set(nltk.tokenize.wordpunct_tokenize(unidecode.unidecode(' '.join(nltk.corpus.stopwords.words('portuguese')))))
#stop_words_nltk = set(nltk.tokenize.wordpunct_tokenize(unidecode.unidecode(' '.join(nltk.corpus.stopwords.words('portuguese')))))
stop_words_nltk = stop_words_extended
for text in news.news_text_full:
# Decodificar texto sem acentos nem unicode
news_text = unidecode.unidecode(text)
for key in unicodes_to_strip:
# Retira \n e \n\n, principalmente, além dos demais unicodes que possam ter sobrado.
news_text = news_text.replace(key, unicodes_to_strip[key])
# Retira stopwords:
filtered_news = [w for w in nltk.tokenize.wordpunct_tokenize(news_text) if not w in stop_words_nltk]
# Retira pontuação e deixa todas as palavras em minúsculo:
filtered_news = [word.lower() for word in filtered_news if not word in (punct for punct in punctuation_simbols_list)]
filtered_news = [w for w in filtered_news if w.isalpha()]
filtered_news = [w for w in filtered_news if not w in stop_words_nltk]
tokens_traitement_1.append(len(filtered_news))
clean_phrases.append(filtered_news)
# Criar lista com frases tokenizadas e tratadas:
#clean_phrases = [s for s in clean_phrases for w in s if not w in stop_words_nltk]
news['traitement_1'] = clean_phrases
# Criar coluna number_of_tokens_traitement_1
news['number_of_tokens_traitement_1'] = tokens_traitement_1
# %%
nltk.tokenize.wordpunct_tokenize("Olá! Eu chamo-me Guilherme.")
# %%
news.traitement_1.head()
# %%
# Reduzir palavras aos seus radicais: STEM
st = nltk.stem.RSLPStemmer()
stem_traitement_1 = list()
for instance in news.traitement_1:
stem_phrase = list()
for word in instance:
stem_phrase.append(st.stem(word))
stem_traitement_1.append(stem_phrase)
news['traitement_2'] = stem_traitement_1
# %%
news.traitement_2[:2]
# %%
print("Número médio de palavras antes da retirada das stopwords, pontuações e símbolos:\n\n {:.2f} palavras/tokens por notícia\nsendo:\n\n".format(news.number_of_tokens.mean()))
print("Média de palavras das notícias FALSAS: {:.2f}\n".format(news.groupby('classification').mean()['number_of_tokens'][0]))
print("Média de palavras das notícias VERDADEIRAS: {:.2f}\n".format(news.groupby('classification').mean()['number_of_tokens'][1]))#print("Sendo {:.2f} palavras em média para notícias falsas e {:.2f} para verdadeiras.\n\n".format(news.groupby('classification').mean()['number_of_tokens'][0], news.groupby('classification').mean()['number_of_tokens'][1]))
print("Já para o primeiro tratamento, restaram:\n {:.2f} palavras em média por notícia, sendo:\n\n".format(news.number_of_tokens_traitement_1.mean()))
print("Média de palavras das notícias FALSAS: {:.2f}\n".format(news.groupby('classification').mean()['number_of_tokens_traitement_1'][0]))
print("Média de palavras das notícias VERDADEIRAS: {:.2f}\n".format(news.groupby('classification').mean()['number_of_tokens_traitement_1'][1]))
# %%
news[news.author_score == 0].groupby('classification').count()
# %%
print("NÚMERO DE NOTÍCIAS SEM AUTORIA ASSINADA:\n\n")
print("Falsas: {}".format(news[news.author_score == 0].groupby('classification').count()['Id'][0]))
print("Verdadeiras: {}".format(news[news.author_score == 0].groupby('classification').count()['Id'][1]))
# %%
# Retirando pontuação e números. Deixando todas as palavras em minúsculo
# isalpha() retirou palavras com hífem, números e simbolos úteis. Não usar!
# teste2 = [w.lower() for w in filtered_news if w.isalpha()]
# %%
# Criar dataframes FAKE e REAL:
all_news_words = list()
all_real_news_words = list()
all_fake_news_words = list()
news_fake = news.query('classification == 0')
news_fake.name = 'FAKE NEWS'
news_real = news.query('classification == 1')
news_real.name = 'REAL NEWS'
# %%
news_fake['traitement_2'].tail()
# %%
news_fake = news_fake.reset_index()
news_real = news_real.reset_index()
# %%
# TRUNCAR NOTÍCIAS
# Medir tamanhos e podar o maior pelo menor
news_fake['traitement_3'] = ''
news_real['traitement_3'] = ''
for row in range(len(news_fake)):
if len(news_fake.traitement_2[row]) > len(news_real.traitement_2[row]):
news_fake.traitement_3[row] = news_fake.traitement_2[row][:len(news_real.traitement_2[row])]
news_real.traitement_3[row] = news_real.traitement_2[row]
else:
news_real.traitement_3[row] = news_real.traitement_2[row][:len(news_fake.traitement_2[row])]
news_fake.traitement_3[row] = news_fake.traitement_2[row]
# %%
token_count = []
for news_text in news_fake['traitement_3']:
token_count.append(len(news_text))
# %%
# Unificar dataset:
# token_count
count_fake_real_news = -1
news['traitement_3'] = ''
for row in range(len(news)):
if row % 2 == 0:
count_fake_real_news += 1
news['traitement_3'][row] = news_fake['traitement_3'][count_fake_real_news]
else:
news['traitement_3'][row] = news_real['traitement_3'][count_fake_real_news]
# %%
news_fake.name = 'FAKE NEWS'
news_real.name = 'REAL NEWS'
# %%
# PARETO
# coluna a ser analisada:
df = news_fake
df_col = 'traitement_3'
fna.pareto_df_tokenized(df, df_col, 10)
# %%
# PARETO
# coluna a ser analisada:
df = news_real
df_col = 'traitement_3'
fna.pareto_df_tokenized(df, df_col, 10)
# %%
# Todas as palavras unificadas
col = 'traitement_3'
# for news_text in news[col]:
# for word in news_text:
# all_news_words.append(word)
all_fake_news_words = []
all_real_news_words = []
for news_text in news_fake[col]:
for word in news_text:
all_fake_news_words.append(word)
for news_text in news_real[col]:
for word in news_text:
all_real_news_words.append(word)
# %%
len(all_fake_news_words)
# %%
len(all_real_news_words)
# %%
bigrams_to_suppress = [
('ex', 'presid'),
('lav','jat'),
('segund','feir'),
('terc','feir'),
('quart','feir'),
('quint','feir'),
('sext','feir'),
('michel','tem'),
('sergi', 'mor'),
('dilm', 'rousseff'),
('eduard', 'cunh')]
# %%
bigrams_fake = list(ngrams(all_fake_news_words, 2))
bigrams2 = []
for bigram in bigrams_fake:
bigram2 = []
if not bigram in (bigram for bigram in bigrams_to_suppress):
for word in bigram:
bigram2.append(word)
bigrams2.append(' '.join(bigram2))
bigrams_fake = bigrams2
bigrams_fake[:3]
# %%
len(bigrams_fake)
# %%
def word_cloud_bigram(bigrams, mask):
len_bigrams = len(bigrams)
print(" * Were computed a total of {} bigrams from dataset.\n".format(len_bigrams))
mask_default = "cloud_mask.png"
#if os.path.join("data", "img", mask)
def color_function(mask):
if mask == "mapa_brasil_mask.png":
def color_func(word, font_size, position, orientation, random_state=None,**kwargs):
return "hsl(190, 40%%, %d%%)" % random.randint(30, 60) #sky
color_cont = (219, 236, 240)
elif mask == "thumbs_down_mask_3.png":
def color_func(word, font_size, position, orientation, random_state=None,**kwargs):
return "hsl(0, 80%%, %d%%)" % random.randint(30, 60) #fake
color_cont = (250, 209, 209)
elif mask == "thumbs_up_mask.png":
def color_func(word, font_size, position, orientation, random_state=None,**kwargs):
return "hsl(130, 40%%, %d%%)" % random.randint(30, 60) #real
color_cont = (219, 240, 223)
else:
def color_func(word, font_size, position, orientation, random_state=None,**kwargs):
return "hsl(0, 0%%, %d%%)" % random.randint(60, 100) #grey
color_cont = (219, 236, 240)
return color_func, color_cont
color_function, color_cont = color_function(mask)
vectorizer = CountVectorizer(ngram_range=(2, 2))
bag_of_words = vectorizer.fit_transform(bigrams)
vectorizer.vocabulary_
sum_words = bag_of_words.sum(axis=0)
words_freq = [(word, sum_words[0, idx]) for word, idx in vectorizer.vocabulary_.items()]
words_freq =sorted(words_freq, key = lambda x: x[1], reverse=True)
words_dict = dict(words_freq)
mask = np.array(Image.open(os.path.join("data", "img", mask)))
# cloud_of_words = WordCloud(width = 1080,
# height = 1080,
# max_font_size = 110,
# collocations = False,
# mask = mask,
# background_color = "white",
# contour_width = 3,
# contour_color = (219, 236, 240)).generate_from_frequencies(words_dict)
# cloud_of_words.recolor(color_func=color_func, random_state=3)
WC_height = 1000
WC_width = 1500
WC_max_words = 200
cloud_of_words = WordCloud(height=1080,
width=1080,
max_font_size = 110,
collocations = False,
background_color = "white",
mask = mask,
contour_width = 3,
contour_color = color_cont)
cloud_of_words.generate_from_frequencies(words_dict)
cloud_of_words.recolor(color_func=color_function, random_state=3)
#plt.title('Most frequently occurring bigrams connected by same colour and font size')
plt.figure(figsize = (12, 10))
plt.imshow(cloud_of_words, interpolation = 'bilinear')
plt.axis('off')
plt.show()
return cloud_of_words, len_bigrams
# %%
bigrams_real = list(ngrams(all_real_news_words, 2))
bigrams2 = []
for bigram in bigrams_real:
bigram2 = []
if not bigram in (bigram for bigram in bigrams_to_suppress):
for word in bigram:
bigram2.append(word)
bigrams2.append(' '.join(bigram2))
bigrams_real = bigrams2
bigrams_real[:3]
# %%
word_cloud_bigram(bigrams_fake, "thumbs_down_mask_3.png")
# %%
word_cloud_bigram(bigrams_real, "thumbs_up_mask.png")
# %%
fna.pareto_all_tokenized(bigrams_fake, 'FAKE', 10)
# %%
fna.pareto_all_tokenized(bigrams_real, 'REAL', 10)
# %%
news.head()
# %%
processed_phrase = list()
for phrase in news['traitement_3']:
processed_phrase.append(' '.join(phrase))
news['traitement_4'] = processed_phrase
# %%
accuracy_bag_traitement_4 = fna.text_classifier(news, 'traitement_4', 'classification')
# %%
accuracy_bag_news_text_full = fna.text_classifier(news, 'news_text_full', 'classification')
# %%
accuracy_bag_news_text_normalized = fna.text_classifier(news, 'news_text_normalized', 'classification')
# %%
# Criação do modelo de regressão logística e de TF-IDF:
from sklearn.feature_extraction.text import TfidfVectorizer
regressao_logistica = LogisticRegression(solver = 'lbfgs')
tfidf = TfidfVectorizer(lowercase = False, max_features = 500)
# %%
# Acurácia do TF-IDF para os textos completos sem tratamento:
tfidf_text_full = tfidf.fit_transform(news["news_text_full"])
treino, teste, classe_treino, classe_teste = train_test_split(tfidf_text_full,
news["classification"],
random_state = 42)
regressao_logistica.fit(treino, classe_treino)
acuracia__tfidf_text_full = regressao_logistica.score(teste, classe_teste)
print(acuracia__tfidf_text_full)
#Para visualizar a matriz de frequências:
caracteristicas = tfidf.fit_transform(news["news_text_full"])
pd.DataFrame(
caracteristicas.todense(),
columns = tfidf.get_feature_names())
# %%
tfidf_text_normalized = tfidf.fit_transform(news["news_text_normalized"])
treino, teste, classe_treino, classe_teste = train_test_split(tfidf_text_normalized,
news["classification"],
random_state = 42)
regressao_logistica.fit(treino, classe_treino)
acuracia_tfidf_text_normalized = regressao_logistica.score(teste, classe_teste)
print(acuracia_tfidf_text_normalized)
# %%
tfidf_traitement_4 = tfidf.fit_transform(news["traitement_4"])
treino, teste, classe_treino, classe_teste = train_test_split(tfidf_traitement_4,
news["classification"],
random_state = 42)
regressao_logistica.fit(treino, classe_treino)
acuracia_tfidf_traitement_4 = regressao_logistica.score(teste, classe_teste)
print(acuracia_tfidf_traitement_4)
# %%
tfidf = TfidfVectorizer(lowercase = False, ngram_range = (1,3))
vetor_tfidf = tfidf.fit_transform(news["traitement_4"])
treino, teste, classe_treino, classe_teste = train_test_split(vetor_tfidf,
news["classification"],
random_state = 42)
regressao_logistica.fit(treino, classe_treino)
acuracia_tfidf_ngrams_traitement_4 = regressao_logistica.score(teste, classe_teste)
print(acuracia_tfidf_ngrams_traitement_4)
# %%
classe_teste
# %%
#Para visualizar a matriz de frequências:
pd.DataFrame(
vetor_tfidf.todense(),
columns = tfidf.get_feature_names())
# %%
pesos = pd.DataFrame(
regressao_logistica.coef_[0].T, #coef_[0] é o peso de cada item e .T realiza a transposição da matriz
index = tfidf.get_feature_names()
)
pesos.nlargest(150,0) #mostra os 10 maiores pesos (sentimentos positivos)
# %%
pesos.nsmallest(150,0) #mostra os 10 menores pesos (sentimentos negativos)
# %%
# %%
# predicts1 = pd.DataFrame(regressao_logistica.predict_proba(tfidf.fit_transform(news["traitement_4"])), columns = ['FAKE', 'REAL'])
predicts1 = pd.DataFrame(regressao_logistica.predict_proba(teste), columns = ['FAKE', 'REAL'])
# %%
classe_teste
# %%
predicts1
# %%
regressao_logistica.predict_proba(teste)
# %%
index_teste[1]
# %%
index_teste = classe_teste.index
# %%
predicts2_list = list()
for row in range(len(predicts1)):
if news.author_score[index_teste[row]] == 0:
predicts2_list.append((predicts1['FAKE'][row]*0.8 + 0.2, 1 - (predicts1['FAKE'][row]*0.8 + 0.2)))
else:
predicts2_list.append((1 - (predicts1['REAL'][row]*0.8 + 0.2), predicts1['REAL'][row]*0.8 + 0.2))
predicts2 = pd.DataFrame(predicts2_list, columns=['FAKE', 'REAL'])
predicts2.head()
# %%
predicts2['predict'] = 0
for row in range(len(predicts2)):
if predicts2['FAKE'][row] >= predicts2['REAL'][row]:
predicts2['predict'][row] = 0
else:
predicts2['predict'][row] = 1
# %%
predicts2.predict.to_numpy()
# %%
predicts2.predict
# %%
classe_teste
# %%
from sklearn.metrics import accuracy_score
acuracia_tfidf_ngrams_mais_registro_autor = accuracy_score(classe_teste, predicts2.predict.to_numpy(), sample_weight=None)
acuracia_tfidf_ngrams_mais_registro_autor
# %%
# MATRIZ DE CONFUSÃO:
sklearn.metrics.confusion_matrix(classe_teste, predicts2.predict)
# %%
# RECALL:
sklearn.metrics.recall_score(classe_teste, predicts2.predict)
# %%
# PRECISION:
sklearn.metrics.precision_score(classe_teste, predicts2.predict)
# %%
# F-MEASURE:
sklearn.metrics.f1_score(classe_teste, predicts2.predict)
# %%
print('Acurácia para Bag of Words em news_text_full: {:.2f}%'.format(100*accuracy_bag_news_text_full))
print('Acurácia para Bag of Words emn ews_text_normalized: {:.2f}%'.format(100*accuracy_bag_news_text_normalized))
print('Acurácia para Bag of Words em traitement_4: {:.2f}%'.format(100*accuracy_bag_traitement_4))
print("Acurácia para TF-IDF em news_text_full: {:.2f}%".format(100*acuracia__tfidf_text_full))
print("Acurácia para TF-IDF em news_text_normalized: {:.2f}%".format(100*acuracia_tfidf_text_normalized))
print("Acurácia para TF-IDF em traitement_4: {:.2f}%".format(100*acuracia_tfidf_traitement_4))
print("Acurácia para TF-IDF com 1, 2 e 3 ngrams em traitement_4: {:.2f}%".format(100*acuracia_tfidf_ngrams_traitement_4))
print("\nAcurácia para TF-IDF com 1, 2 e 3 ngrams em \ntraitement_4 mais avaliação de autor existente ou não: {:.2f}%".format(100*acuracia_tfidf_ngrams_mais_registro_autor))
print("\n\nProcedimento: com os textos completos, tokenizer, retirar os acentos e números, deixar tudo em minúsculas, retirar stopwords e pontuações, deixar palavras apenas com radical, realizar truncamento dos pares de notícas verdadeiras com falsas para normalizar quantidade de palavras, remontar as notícias em string e criar coluna no dataframe para o resultado deste pre-processamento. Criar coluna do DF com informação da existência ou não de authoria da notícia (0 não e 1 sim). Criar matriz de frequências TF-IDF com ngramas de 1 a 3 palavras. Usar a função train_test_split do Scikit Learn para dividir o corpus pre-tratado em 75% para treinamento e 25% para testes de precisão (usado random_state = 42). Fazer regressão logística com solver = 'lbfgs'. Realizar predição dos textos de teste com o método predict_proba, que retornará a porcentagem predita para fake e para real em um array. Com a informação da existência do autor ou não, recalcular a porcentagem com peso de 20% para a existência do autor em favor da notícia ser verdadeira e 20% menos em caso de axência de autor. Verificar qual porcentagem foi maior que 50% para sinalizar 0 à predição FAKE e 1 REAL. Importante observar que a fórmula usada para realizar a correção da porcentagem de predição é dada por peso, sendo 80% de peso para o valor predito pela regressão logística e 20% para o autor existente ou menos 20% para o não existente, premiando a existência do autor e punindo quando não possui, aumentando a distância das estimativas. Por fim, com as porcentagens recalculadas para cada texto de teste, fori usada a função accuracy_score da biblioteca Scikit Learn para calcular a nova acurácia geral do algoritmo.\n É importante observar que este algoritmo dá um passo a mais em direção às técnicas de identificação de notícias falsas criadas pelo professor Gabriel, levando em conta dois de dez passos, os da verificação da fonte. Por este motivo, a proporção de 20%/80% foi escolhido para os cálculos da média ponderada. Ainda, salientamos que nenhuma avaliação da plausabilidade ou veracidade dee fatos específicos foi adicionada, o que certamente poderá causar uma performance inferior ao calculado em um caso de uso real do mesmo. A acurácia de 97,83% é realmente um valor muito superior aos anteriormente obtidos e acreditamos que isto possa ser reflexo da grande quantidade de erros ortográficos nas notícias falsas presentes neste dataset, o que não expõe uma falha do mesmo, mas sim um padrão das fontes de criação de notícias falsas.")
# %%
regressao_logistica.predict(teste)
# %%
_, all_words, len_all_words = fna.word_cloud_complete(news, "traitement_4", "classification")
# %%
_, fake_words, len_fake_words = fna.word_cloud_fake(news, "traitement_4", "classification")
# %%
_, real_words, len_real_words = fna.word_cloud_real(news, "traitement_4", "classification")