Perl-使用DBI获取sqlite数据库的结构

时间:2019-03-28 14:02:37

标签: database sqlite perl dbi

我需要测试我的SQLite数据库的结构,该数据库由具有2个列(id,name)的唯一表组成。我找不到SQL查询来获取数据库的表架构。

我能够使用DBI方法selectall_arrayref()获取数据库的所有内容。但是,它只返回一个包含我数据库中值的数组。该信息很有用,但我希望有一个SQL查询返回类似id, name(基本上是表模式)的内容。

我尝试了以下查询:SHOW COLUMNS FROM $tablename但也尝试了SELECT * from $tablename(这将返回所有表内容)。

这是我到目前为止的实现:

# database path
my $db_path   = "/my/path/to/.database.sqlite";
my $tablename = "table_name";

sub connect_to_database {

    # Connect to the database
    my $dbh = DBI->connect ("dbi:SQLite:dbname=$db_path", "", "",
                            { RaiseError => 1, AutoCommit => 0 },
                           )
    or confess $DBI::errstr;
    return $dbh;
}

sub get_database_structure {

    # Connect to the database
    my $dbh = &connect_to_database();

    # Get the structure of the database
    my $sth = $dbh->prepare("SHOW COLUMNS FROM $tablename");
    $sth->execute();
    while (my $inphash = $sth->fetrow_hashref()) {
        print $inphash."\n";
    }

    # Disconnect from the database
    $dbh->disconnect();
}

# Call the sub to print the database structure
&get_database_structure();

我希望输出是我的表的结构,所以id, name但出现错误:DBD::SQLite::db prepare failed: near "SHOW": syntax error

我找不到好的查询。任何意见或帮助将不胜感激。

谢谢!

2 个答案:

答案 0 :(得分:2)

您要寻找的实际上只是针对表和列信息的SQL精简查询。如果此查询不适合您,此答案SQLite Schema Information Metadata包含完整的详细信息,但是假设您使用的是其中一个答案中提到的“最新”版本,则可以执行以下操作:

# Get the structure of the database
my $sth = $dbh->prepare("<<END_SQL");
SELECT 
  m.name as table_name, 
  p.name as column_name
FROM sqlite_master AS m
JOIN pragma_table_info(m.name) AS p
ORDER BY m.name, p.cid
END_SQL
$sth->execute();
my $last = '';
while (my $row = $sth->fetchrow_arrayref()) {
    my ($table, $column) = @$row;
    if ($table ne $last) {
        print "=== $table ===\n";
        $last = $table;
    }
    print "$column\n";
}

答案 1 :(得分:1)

在浏览了社区答案之后,我终于找到了使用pragma table_info的解决方案。

sub get_database_structure {

    # Connect to the database
    my $dbh = &connect_to_database ();

    # Return the structure of the table execution_host
    my $sth = $dbh->prepare('pragma table_info(execution_host)');
    $sth->execute();
    my @struct;
    while (my $row = $sth->fetchrow_arrayref()) {
        push @struct, @$row[1];
    }

    # Disconnect from the database
    $dbh->disconnect ();

    return @struct;
}

它返回表execution_host中存在的列名称的列表。

感谢您的帮助!