DBIx :: Class :: ResultSet中列名的抽象

时间:2013-03-18 16:11:25

标签: perl catalyst dbix-class

我正在开发一个使用DBIx::Class访问MySQL数据库的Catalyst应用程序。应用程序对文件执行数据质量检查。这些文件被加载到表FileContent

 FILE_ID LINE_NUMBER FOO BAR BAZ
 -----------------------------------
 1       1           A   99  Blah
 1       2           B   11  Blargh
 1       3           A   4   Sproing
 1       4           B   7   Sproing
 1       5           B   10  Doink

然后我有另一个表Format,它定义了每列的验证操作:

 COL_ORDER COL_NAME VALIDATION
 1         FOO      regex:/^[AB]$/
 2         BAR      unique_number
 3         BAZ      regex:/\S/

我想要做的是逐行查看给定文件FileContent,将Format中的所有规则应用到每一行:

my @lines  = $c->model('DB::FileContent')->search({file_id => 1});
my @format = $c->model('DB::Format')->search();

foreach my $line (@lines)
{
    foreach my $column (@format)
    {
        #Get the field matching this column from $line.
        #e.g. for first $column get $line->foo()  
    }
}

但是,我不确定如何最有效地从与格式中当前列匹配的行中获取列。访问列的常规方法是通过方法,例如$line->foo。但是当foo是变量时我该怎么做?

我认为我不想这样做:

eval "$line->${$column->col_name}";

我知道get_column,但这对从行中获取单个值有效吗?

$line->get_column($column->col_name)

根据另一个表中的值检索列的最有效方法是什么?我可以使用列名或列位置。在此先感谢您的帮助。

1 个答案:

答案 0 :(得分:2)

首先尝试将所有验证规则放入hashref(或哈希)中,并且 - 最重要的是 - 确保通过DBIx::Class::ResultClass::HashRefInflator将FileContent项扩展为hashrefs。这使得在循环浏览项目中的字段时更加方便。

像这样:

#------------------------------------------------------------------------------------------
# get all formats into a hashref
#------------------------------------------------------------------------------------------

my $format = $c->model('DB::Format')->search({}, { order_by => ['COL_ORDER'] } );
my @col_names = $format->get_column('COL_NAME')->all;
# @col_names now contains qw/FOO BAR BAZ/

my $formats;
@{$formats}{@col_names} = $format->get_column('VALIDATION')->all;

#------------------------------------------------------------------------------------------
# create an iterator over DB::FileContent, and make items inflate to hashrefs 
#------------------------------------------------------------------------------------------

my $file_content  = $c->model('DB::FileContent')->search({file_id => 1});
$file_content->result_class('DBIx::Class::ResultClass::HashRefInflator');
# this ensures that every item inflates into a hashref


# this way you can iterate over items, and don't have to put them all into an array 
while (my $hashref = $file_content->next) {
    # put relevant field values into an array
    my @values = @{$hashref}{@col_names};
}