我正在构建一个网络应用程序,允许教授输入学生的作业,并在必要时提供交互式教学大纲。课程页面的其中一部分显示进度。

我建立了一个饼图组件,我想用数据填充它:

pie_chart(
    title, # name of chart
    percent, # percentage of assignments completed
    count, # how many assignments completed
    total # how many assignments total
)


我正在使用Peewee ORM从作业表中检索此数据:

class Type(BaseModel):
    name = CharField() # Homework, Test, Final, etc.

class Assignment(BaseModel):
    name = CharField()
    due_date = DateField()
    type = ForeignKeyField(Type)
    course = ForeignKeyField(Course)


我需要数据库中的以下内容,我不确定如何用Peewee完成它。获得名称和总数应该很简单。但是我需要将Due_date与今天的日期进行比较,以查看完成了多少作业。

名称总计已完成

决赛2 0
作业23 12
测试4 2

如果重要的话,我的饼图输出将类似于以下内容:

Homework
|XXX-------|
3 of 10 complete


更新

我有一个查询,可以执行几乎所有我需要的操作。谁能帮我其余的一切?

这是查询:

select t.name,
        count(a.type_id) as total,
        (
            select count(id)
            from assignment a
            where a.course_id = 7
            and a.user_id = 3
            and a.due_date < date()
            group by a.type_id
            order by a.type_id
        ) as completed
from assignment a
inner join type t on t.id = a.type_id
where a.course_id = 7
and a.user_id = 3
group by a.type_id
order by a.type_id


这是使用以下示例数据的结果:

Homework, 8, 6
Test, 4, 6
Final, 2, 6


这确实很接近,但是我希望完成的列特定于分配类型。

这是作业表中的一些示例数据

id name
------------------------
9, Chapter 1, 2014-11-01
10, Chapter 2, 2014-11-08
11, Test on chapter 1-2, 2014-11-15
12, Chapter 3, 2014-11-19
13, Chapter 4, 2014-11-22
14, Test on chapter 3-4, 2014-11-25
15, Midterm - Chapter 1-4, 2014-11-25
16, Chapter 5, 2014-11-25
17, Chapter 6, 2014-11-25
18, Test on chapter 5-6, 2014-11-25
19, Chapter 7, 2015-01-09
20, Chapter 8, 2015-01-11
21, Test on chapter 7-8, 2015-01-13
22, Final - Chapter 1-8, 2015-01-15


以下是我目前能想到的最好的方法。我正在对“已完成”列进行硬编码,因为无法正确处理:

Assignment.select(
    Type.name,
    fn.Lower('1').alias('completed'),
    fn.Count(Type.id).alias('total'),
).join(Type).where(
    Assignment.course==self,
).group_by(Type.id).order_by(Type.id)

最佳答案

我认为您的问题是您的子查询返回了多行-您应该在子查询的位置添加“ and a.type_id = t.id”。

10-01 17:25
查看更多