Я создаю приложение, которое принимает ввод, сохраняет его в CSV-файл, и теперь последняя базовая часть должна отобразить круговую диаграмму содержимого столбца .Предполагается, что ввод будет о книгах.Итак, круговая диаграмма должна, например, отображать жанр всех книг в списке.
У меня нет проблем с созданием круговой диаграммы, я справился с этим в отдельном скрипте, я не получаюлибо сообщение об ошибке, но вместо этого есть только белое поле.
import csv
import tkinter as tk
import matplotlib.pyplot as plt
from matplotlib.backends.backend_tkagg import FigureCanvasTkAgg
from matplotlib.figure import Figure
from tkinter import ttk
from collections import Counter
class FrontFrames:
def __init__(self, master):
super().__init__()
#Split the screen horizontally in two parts
top_frame = tk.Frame(master, bg="green")
bottom_frame = tk.Frame(master, bg="yellow")
top_frame.pack(side="top", fill="both", expand=True)
bottom_frame.pack(side="top", fill="both", expand=True)
#Creating the three top widgets
self.tree = Label(top_frame)
column = ("Title", "author", "year", "others")
self.treeview = ttk.Treeview(top_frame, columns=column, show='headings')
self.treeview.heading("Title", text="Title")
self.treeview.heading("author", text="Author")
self.treeview.heading("year", text="Year")
self.treeview.heading("others", text="Others")
content = "./Note.csv"
with open(content, 'r') as file:
csv_reader = csv.DictReader(file, skipinitialspace=True)
for row in csv_reader:
self.treeview.insert('', '0', values=(f'{row["title"]}',
f'{row["author"]}',
f'{row["year"]}',
f'{row["others"]}'))
c = Counter(row["others"])
header = list(c.keys())
values = list(c.values())
colors = ['r', 'g', 'b', 'c', 'y']
f = plt.Figure(figsize=(4,4))
#a = f.add_subplot(111)
pie = plt.pie(values, labels=header, colors=colors, startangle=90,
autopct='%.1f%%')
self.canvas = FigureCanvasTkAgg(f, top_frame)
self.tree.pack(side="left", fill="both", expand=True)
self.treeview.pack(side="left", fill="both", expand=True)
self.canvas.get_tk_widget().pack(side="right", fill="both")
#self.canvas.show()
Я закомментировал строку «self.canvas.show ()», потому что в противном случае я получаю сообщение об ошибке :
AttributeError: 'FigureCanvasTkAgg'У объекта нет атрибута' show '
Всегда говорят, что команда должна быть включена для фактического отображения круговой диаграммы, но в отдельном тесте, где не создается другой виджет, круговая диаграммавиденЯ предполагаю, что круговая диаграмма просто скрыта под другим виджетом.
Содержимое CSV будет выглядеть следующим образом:
title, author, year, others, note
Everything,Nobody,2222,Fiction,This is just something of everything!
Nothing,Everybody,1111,Romance,This is nothing of anything!
Pokemon,Pikachu,1999,Fiction,Once upon time.
Lord of the rings, R.R. Jackson, 1972, Fantasy, A long story!
Harry Potter, Rowling, 1995, Fantasy, A detailed story.
Bible, Apostels, 0, Fiction, A story.
The Ring, Frank, 1980, Horror, A scary story.
1984, Orwell, 1932, Dystopia, A scary future for the past and scary present
for us.
Pirates of the Caribbean, Brandow, 1955, Fiction, A pirate story.
Я использую Python 3.7.0
Как всегда, большое спасибо за ваши полезные ответы.