无法弄清楚MYSQL查询以获得我想要的结果

时间:2017-01-23 19:52:29

标签: javascript mysql node.js

我有一个名为子类别的表,列有'id'和'name',还有一个名为targets的表,其中列'id','name'和外键'subcategory_id'。

我想要一个导致子类别对象数组的查询,该子类别对象具有属性“目标”,这是一个目标对象数组。 在JS代码中给出一个结果如何看的例子:

result = [
           {id: 1, name: "name", goals: [{id: 1, name: "goalName"}, {...},  {...}]}, 
           {...}, 
           {...}
         ]

但是(使用不同的语法)结果对于其他语言来说是相同的。

因此,我试图用左连接这样做:

SELECT sc.ID as subcatId, sc.name as subcatName, g.ID as ID, g.name as name 
FROM needs_subcategories as sc 
LEFT JOIN needs_goals as g 
ON sc.ID=g.subcategory_id

但是这些目标并没有归入一个子类别。我觉得它应该可以用一个查询,但我无法弄清楚/谷歌如何做到这一点,因为我不知道如何由于我缺乏SQL知识而将这个问题说出来。

希望你们能帮助我!

提前致谢。

2 个答案:

答案 0 :(得分:1)

您将无法通过查询实现这一目标。 MySQL无法做到这一点。

您目前正在获取所有目标,每个目标都包含子类别(子类别将重复)。

您可以使用某些代码将其转换为所需的数组(例如在php中,您可以将其转换为任何其他语言)。

$result=array();
$lastSubcatId=null;
$goals=array();
while($row=$query->fetch_object()) { //assuming $query is the resultset
    if($lastSubcatId&&$lastSubcatId!=$row->subcatId) {
        $row->goals=$goals;
        $result[]=$row; //or you could assign each desired property
        $goals=array();
    }
    $goals[]=$row; //or you could assign each desired property
}
//surely, there are items left in $goals
if($lastSubcatId) {
    $row->goals=$goals;
    $result[]=$row; //or you could assign each desired property
}

但是,我认为,更有效的方法是使用多个查询:

$result=array();
$subcats=$db->query("SELECT * FROM needs_subcategories");
while($subcat=$subcats->fetch_object()) {
    //you might want to use prepared statements, I'm just simplifying
    //it will not only be safer, but reusing the prepared statement will increase the performance considerably
    $goals=$db->query("select * from needs_goals where subcategory_id=".$subcat->ID); 
    $temp=array();
    while($goal=$goals->fetch_object()) $temp[]=$goal;
    $subcat->goals=$temp;
    $result[]=$subcat;
}

答案 1 :(得分:0)

最后,我使用groupBy解决了这个问题,正如@tadman在评论中所建议的那样。

我创建了一个函数(基于this answer中的信息),如下所示:

function processResults(collection, groupKey) {
    var result = _.chain(collection)
                  .groupBy(groupKey)
                  .toPairs()
                  .map(function (currentItem) {
                      // 'text' and 'children' are the keys I want in my resulting object
                      // children being the property that contains the array of goal objects
                      return _.zipObject(['text', 'children'], currentItem);
                  })
                  .value();
    return result;
}

这导致具有分组目标的对象数组!由于我现在构建了这个函数(带有硬编码的键名),它只适用于我的特定情况,如果你想推广你可以添加参数的函数,可以用那些替换硬编码的键名。