1

今天早上快速(可能是愚蠢的)问题:

我有数据被输入到我的脚本中,如下所示:

03:00P - Doctor appointment.
07:00P - Scheduled entry.
10:30A - Another entry.
11:00A - Daytime medication is due.
11:00P - Nighttime medication is due.
11:30P - Staff meeting.

现在我无法更改数据的来源,并且输出需要看起来相同,但我需要对其进行正确排序。关于解决这个问题的任何想法?

谢谢!

4

3 回答 3

1

告诉 sort 首先对第六个字符进行排序,然后对第一个到第五个字符进行排序:

sort -k1.6,1.6 -k1.1,1.5
于 2013-08-02T14:53:10.003 回答
0

这是一个基于简单 Perl 脚本的解决方案,该脚本源自Convert 12-hour date/time to 24-hour date/time的答案。

资源s12.pl

#!/usr/bin/env perl
use strict;
use warnings;

sub time_12h_to_24h
{
    my($t12) = @_;
    my($hh,$mm,$ampm) = $t12 =~ m/^(\d\d?):(\d\d?)\s*([AP]M?)/i;
    $hh = ($hh % 12) + (($ampm =~ m/AM?/i) ? 0 : 12);
    return sprintf("%.2d:%.2d", $hh, $mm);
}

while (<>)
{
    my($time_12h, $entry) = split / - /;
    my $time_24h = time_12h_to_24h($time_12h);
    print "$time_24h $time_12h - $entry";
}

请注意,该代码同时接受 { AM, PM} 和 { A, P} 并且在 AM/PM 指示符的大写和小写之间保持中性,并忽略时间和 AM/PM 指示符之间的空格。

输入数据

该数据集包含 12:05A 和 12:05P 的行以及来自问题的数据。

03:00P - Doctor appointment.
07:00P - Scheduled entry.
10:30A - Another entry.
11:00A - Daytime medication is due.
11:00P - Nighttime medication is due.
11:30P - Staff meeting.
12:05A - Just past midnight and long before 11:00A.
12:05P - Just past midday and long before 11:00P.

双滤波输出

$ perl s12.pl data | sort | sed 's/^..:.. //'
12:05A - Just past midnight and long before 11:00A.
10:30A - Another entry.
11:00A - Daytime medication is due.
12:05P - Just past midday and long before 11:00P.
03:00P - Doctor appointment.
07:00P - Scheduled entry.
11:00P - Nighttime medication is due.
11:30P - Staff meeting.
$

未过滤的输出

$ perl s12.pl data | sort
00:05 12:05A - Just past midnight and long before 11:00A.
10:30 10:30A - Another entry.
11:00 11:00A - Daytime medication is due.
12:05 12:05P - Just past midday and long before 11:00P.
15:00 03:00P - Doctor appointment.
19:00 07:00P - Scheduled entry.
23:00 11:00P - Nighttime medication is due.
23:30 11:30P - Staff meeting.
$

请注意,通过在输出中首先放置键列(24 小时时间列),sort可以简化命令(并且通常也会加快排序速度)。

于 2013-08-02T22:58:49.210 回答
0

如果您从时间中获取AP并将其放在时间的前面,则只需使用普通sort命令即可正确排序。所以也许是这样的:

awk '{print substr($1,6), $0}' < input  | sort | cut -d' ' -f2-

awk命令生成如下输出:

P 03:00P - Doctor appointment.
P 07:00P - Scheduled entry.
A 10:30A - Another entry.
A 11:00A - Daytime medication is due.
P 11:00P - Nighttime medication is due.
P 11:30P - Staff meeting.

我们然后sort,然后去掉前缀。

于 2013-08-02T14:53:20.843 回答