从表数中输出发票

时间:2011-05-17 10:16:41

标签: php mysql sql symfony1

我有以下表格

customers

cust_id     cust_name
1           a company
2           a company 2
3           a company 3

tariffs

tariff_id   cost_1     cost_2     cost_3
1           2          0          3
2           1          1          1
3           4          0          0


terminals

term_id     cust_id      term_number     tariff_id
1           1            12345           1
2           1            67890           2
3           2            14324           1
4           3            78788           3

usage

term_ident  usage_type   usage_amount    date
12345       1            20              11/12/2010
67890       2            10              31/12/2010
14324       1            1               01/01/2011
14324       2            5               01/01/2011
78788       1            0               14/01/2011

在现实生活中,这些表非常庞大 - 有5000个客户,250个关税,500000个终端和500万个使用记录。

在终端表中 - term_id,cust_id和tariff_id都是外键。使用表中没有外键 - 这只是从csv文件导入的原始数据。

终端表中可能存在使用表中的终端 - 这些终端可以忽略。

我需要做的是根据使用情况为每位客户生成发票。我只想包括2010年12月15日至2011年1月15日之间的使用情况 - 这是结算周期。我需要根据其关税计算使用发票的行项目...例如:使用使用表中的第一条记录 - usage_1(对于term_id 1)的成本将是90x2 = 180,这是因为term_ident使用tariff_id number.1。

输出应如下

Customer 2

date         terminal  usage_cost_1  usage_cost_2  usage_cost_3  total cost
01/01/2011   14324     18            0             6             24

我是一名称职的PHP开发人员 - 但只是SQL的初学者。我需要一些建议是生成发票的最有效的过程 - 也许有一个SQL查询可以帮助我在PHP处理之前开始计算成本 - 或者SQL语句也可能产生成本?欢迎任何建议......

编辑:

1)目前正在运行这个过程 - 它用C ++编写,大约需要24小时来处理...我无法访问源代码。

2)我在Symfony中使用Doctrine - 我不确定Doctrine将如何检索数据,因为Objects只会减慢进程 - 我不确定对象的使用是否会对此有所帮助?

编辑@ 13:54 - >

如果指定的使用表不正确...抱歉!

我必须将usage_type映射到每个终端的特定资费的成本,即适当的资费中的usage_type为1 = cost_1 ...我想这会使它稍微复杂一点?

1 个答案:

答案 0 :(得分:3)

你去,应该不到24小时;)

SELECT u.date, u.term_ident terminal,
    (ta.cost_1 * u.usage_1) usage_cost_1,
    (ta.cost_2 * u.usage_2) usage_cost_2,
    (ta.cost_3 * u.usage_3) usage_cost_3,
    (usage_cost_1 + usage_cost_2 + usage_cost_3) total_cost
FROM usage u
INNER JOIN terminals te ON te.term_number = u.term_ident
INNER JOIN tariffs ta ON ta.tariff_id = te.tariff_id
INNER JOIN customers c ON c.cust_id = te.cust_id
WHERE u.date BETWEEN '2010-12-15' AND '2011-01-15'
    AND c.cust_id = 2

此查询仅适用于cust_id = 2的客户。如果您想要整个数据集的结果,只需删除条件。

更新

根据您的新要求,这并非微不足道。您可以将使用表转换为之前发布的新表。

要在SELECT查询中做出决定,您可以执行类似的操作。但这不是你期望的结果。它可用于创建转换后的新用法表。

SELECT u.date, u.term_ident terminal,
    CASE u.usage_type
        WHEN 1 then ta.cost_1 * u.usage_1
        WHEN 2 then ta.cost_2 * u.usage_2
        WHEN 3 THEN ta.cost_3 * u.usage_3
    AS usage_cost
FROM usage u
INNER JOIN terminals te ON te.term_number = u.term_ident
INNER JOIN tariffs ta ON ta.tariff_id = te.tariff_id
INNER JOIN customers c ON c.cust_id = te.cust_id
WHERE u.date BETWEEN '2010-12-15' AND '2011-01-15'
    AND c.cust_id = 2