What is the most straightforward way to pad empty dates in sql results (on either mysql or perl end)?

后端 未结 9 1665
伪装坚强ぢ
伪装坚强ぢ 2020-11-22 06:12

I\'m building a quick csv from a mysql table with a query like:

select DATE(date),count(date) from table group by DATE(date) order by date asc;
相关标签:
9条回答
  • 2020-11-22 06:44

    not dumb, this isn't something that MySQL does, inserting the empty date values. I do this in perl with a two-step process. First, load all of the data from the query into a hash organised by date. Then, I create a Date::EzDate object and increment it by day, so...

    my $current_date = Date::EzDate->new();
    $current_date->{'default'} = '{YEAR}-{MONTH NUMBER BASE 1}-{DAY OF MONTH}';
    while ($current_date <= $final_date)
    {
        print "$current_date\t|\t%hash_o_data{$current_date}";  # EzDate provides for     automatic stringification in the format specfied in 'default'
        $current_date++;
    }
    

    where final date is another EzDate object or a string containing the end of your date range.

    EzDate isn't on CPAN right now, but you can probably find another perl mod that will do date compares and provide a date incrementor.

    0 讨论(0)
  • 2020-11-22 06:53

    When you need something like that on server side, you usually create a table which contains all possible dates between two points in time, and then left join this table with query results. Something like this:

    create procedure sp1(d1 date, d2 date)
      declare d datetime;
    
      create temporary table foo (d date not null);
    
      set d = d1
      while d <= d2 do
        insert into foo (d) values (d)
        set d = date_add(d, interval 1 day)
      end while
    
      select foo.d, count(date)
      from foo left join table on foo.d = table.date
      group by foo.d order by foo.d asc;
    
      drop temporary table foo;
    end procedure
    

    In this particular case it would be better to put a little check on the client side, if current date is not previos+1, put some addition strings.

    0 讨论(0)
  • 2020-11-22 06:54

    I don't know if this would work, but how about if you created a new table which contained all the possible dates (that might be the problem with this idea, if the range of dates is going to change unpredictably...) and then do a left join on the two tables? I guess it's a crazy solution if there are a vast number of possible dates, or no way to predict the first and last date, but if the range of dates is either fixed or easy to work out, then this might work.

    0 讨论(0)
  • 2020-11-22 06:58

    Since you don't know where the gaps are, and yet you want all the values (presumably) from the first date in your list to the last one, do something like:

    use DateTime;
    use DateTime::Format::Strptime;
    my @row = $sth->fetchrow;
    my $countdate = strptime("%Y-%m-%d", $firstrow[0]);
    my $thisdate = strptime("%Y-%m-%d", $firstrow[0]);
    
    while ($countdate) {
      # keep looping countdate until it hits the next db row date
      if(DateTime->compare($countdate, $thisdate) == -1) {
        # counter not reached next date yet
        print CSV $countdate->ymd . ",0\n";
        $countdate = $countdate->add( days => 1 );
        $next;
      }
    
      # countdate is equal to next row's date, so print that instead
      print CSV $thisdate->ymd . ",$row[1]\n";
    
      # increase both
      @row = $sth->fetchrow;
      $thisdate = strptime("%Y-%m-%d", $firstrow[0]);
      $countdate = $countdate->add( days => 1 );
    }
    

    Hmm, that turned out to be more complicated than I thought it would be.. I hope it makes sense!

    0 讨论(0)
  • 2020-11-22 07:04

    I think the simplest general solution to the problem would be to create an Ordinal table with the highest number of rows that you need (in your case 31*3 = 93).

    CREATE TABLE IF NOT EXISTS `Ordinal` (
      `n` int(10) unsigned NOT NULL AUTO_INCREMENT, PRIMARY KEY (`n`)
    );
    INSERT INTO `Ordinal` (`n`)
    VALUES (NULL), (NULL), (NULL); #etc
    

    Next, do a LEFT JOIN from Ordinal onto your data. Here's a simple case, getting every day in the last week:

    SELECT CURDATE() - INTERVAL `n` DAY AS `day`
    FROM `Ordinal` WHERE `n` <= 7
    ORDER BY `n` ASC
    

    The two things you would need to change about this are the starting point and the interval. I have used SET @var = 'value' syntax for clarity.

    SET @end = CURDATE() - INTERVAL DAY(CURDATE()) DAY;
    SET @begin = @end - INTERVAL 3 MONTH;
    SET @period = DATEDIFF(@end, @begin);
    
    SELECT @begin + INTERVAL (`n` + 1) DAY AS `date`
    FROM `Ordinal` WHERE `n` < @period
    ORDER BY `n` ASC;
    

    So the final code would look something like this, if you were joining to get the number of messages per day over the last three months:

    SELECT COUNT(`msg`.`id`) AS `message_count`, `ord`.`date` FROM (
        SELECT ((CURDATE() - INTERVAL DAY(CURDATE()) DAY) - INTERVAL 3 MONTH) + INTERVAL (`n` + 1) DAY AS `date`
        FROM `Ordinal`
        WHERE `n` < (DATEDIFF((CURDATE() - INTERVAL DAY(CURDATE()) DAY), ((CURDATE() - INTERVAL DAY(CURDATE()) DAY) - INTERVAL 3 MONTH)))
        ORDER BY `n` ASC
    ) AS `ord`
    LEFT JOIN `Message` AS `msg`
      ON `ord`.`date` = `msg`.`date`
    GROUP BY `ord`.`date`
    

    Tips and Comments:

    • Probably the hardest part of your query was determining the number of days to use when limiting Ordinal. By comparison, transforming that integer sequence into dates was easy.
    • You can use Ordinal for all of your uninterrupted-sequence needs. Just make sure it contains more rows than your longest sequence.
    • You can use multiple queries on Ordinal for multiple sequences, for example listing every weekday (1-5) for the past seven (1-7) weeks.
    • You could make it faster by storing dates in your Ordinal table, but it would be less flexible. This way you only need one Ordinal table, no matter how many times you use it. Still, if the speed is worth it, try the INSERT INTO ... SELECT syntax.
    0 讨论(0)
  • 2020-11-22 07:08

    When I had to deal with this problem, to fill in missing dates I actually created a reference table that just contained all dates I'm interested in and joined the data table on the date field. It's crude, but it works.

    SELECT DATE(r.date),count(d.date) 
    FROM dates AS r 
    LEFT JOIN table AS d ON d.date = r.date 
    GROUP BY DATE(r.date) 
    ORDER BY r.date ASC;
    

    As for output, I'd just use SELECT INTO OUTFILE instead of generating the CSV by hand. Leaves us free from worrying about escaping special characters as well.

    0 讨论(0)
提交回复
热议问题