열 이름 목록을 얻는 방법
이와 같은 테이블의 모든 열 이름을 가진 행을 얻을 수 있습니까?
|id|foo|bar|age|street|address|
나는 사용하고 싶지 않습니다 Pragma table_info(bla)
.
SELECT sql FROM sqlite_master
WHERE tbl_name = 'table_name' AND type = 'table'
그런 다음 Reg Exp로이 값을 구문 분석합니다 (쉽습니다). 이것은 다음과 유사합니다. [(.*?)]
또는 다음을 사용할 수 있습니다.
PRAGMA table_info(table_name)
SQLite에 명령 줄 셸을 사용하는 경우 .headers on
쿼리를 수행하기 전에. 주어진 세션에서이 작업을 한 번만 수행하면됩니다.
이것은 HTML5 SQLite에 도움이됩니다.
tx.executeSql('SELECT name, sql FROM sqlite_master WHERE type="table" AND name = "your_table_name";', [], function (tx, results) {
var columnParts = results.rows.item(0).sql.replace(/^[^\(]+\(([^\)]+)\)/g, '$1').split(','); ///// RegEx
var columnNames = [];
for(i in columnParts) {
if(typeof columnParts[i] === 'string')
columnNames.push(columnParts[i].split(" ")[0]);
}
console.log(columnNames);
///// Your code which uses the columnNames;
});
해당 언어의 정규식을 재사용하여 열 이름을 가져올 수 있습니다.
더 짧은 대안 :
tx.executeSql('SELECT name, sql FROM sqlite_master WHERE type="table" AND name = "your_table_name";', [], function (tx, results) {
var columnNames = results.rows.item(0).sql.replace(/^[^\(]+\(([^\)]+)\)/g, '$1').replace(/ [^,]+/g, '').split(',');
console.log(columnNames);
///// Your code which uses the columnNames;
});
예, 다음 명령을 사용하여이를 수행 할 수 있습니다.
sqlite> .headers on
sqlite> .mode column
테이블에 대한 선택 결과는 다음과 같습니다.
id foo bar age street address
---------- ---------- ---------- ---------- ---------- ----------
1 val1 val2 val3 val4 val5
2 val6 val7 val8 val9 val10
PHP의 쿼리 결과 집합은 다음을 허용하는 몇 가지 기능을 제공합니다.
numCols()
columnName(int $column_number )
예
$db = new SQLIte3('mysqlite.db');
$table = 'mytable';
$tableCol = getColName($db, $table);
for ($i=0; $i<count($tableCol); $i++){
echo "Column $i = ".$tableCol[$i]."\n";
}
function getColName($db, $table){
$qry = "SELECT * FROM $table LIMIT 1";
$result = $db->query($qry);
$nCols = $result->numCols();
for ($i = 0; $i < $ncols; $i++) {
$colName[$i] = $result->columnName($i);
}
return $colName;
}
아래와 같이 sqlite에서 pragma 관련 명령을 사용할 수 있습니다.
pragma table_info("table_name")
--Alternatively
select * from pragma_table_info("table_name")
If you require column names like id|foo|bar|age|street|address
, basically your answer is in below query.
select group_concat(name,'|') from pragma_table_info("table_name")
$<?
$db = sqlite_open('mysqlitedb');
$cols = sqlite_fetch_column_types('form name'$db, SQLITE_ASSOC);
foreach ($cols as $column => $type) {
echo "Column: $column Type: $type\n";
}
Using @Tarkus's answer, here are the regexes I used in R:
getColNames <- function(conn, tableName) {
x <- dbGetQuery( conn, paste0("SELECT sql FROM sqlite_master WHERE tbl_name = '",tableName,"' AND type = 'table'") )[1,1]
x <- str_split(x,"\\n")[[1]][-1]
x <- sub("[()]","",x)
res <- gsub( '"',"",str_extract( x[1], '".+"' ) )
x <- x[-1]
x <- x[-length(x)]
res <- c( res, gsub( "\\t", "", str_extract( x, "\\t[0-9a-zA-Z_]+" ) ) )
res
}
Code is somewhat sloppy, but it appears to work.
Try this sqlite table schema parser, I implemented the sqlite table parser for parsing the table definitions in PHP.
It returns the full definitions (unique, primary key, type, precision, not null, references, table constraints... etc)
https://github.com/maghead/sqlite-parser
Easiest way to get the column names of the most recently executed SELECT is to use the cursor's description
property. A Python example:
print_me = "("
for description in cursor.description:
print_me += description[0] + ", "
print(print_me[0:-2] + ')')
# Example output: (inp, output, reason, cond_cnt, loop_likely)
Use a recursive query. Given
create table t (a int, b int, c int);
Run:
with recursive
a (cid, name) as (select cid, name from pragma_table_info('t')),
b (cid, name) as (
select cid, '|' || name || '|' from a where cid = 0
union all
select a.cid, b.name || a.name || '|' from a join b on a.cid = b.cid + 1
)
select name
from b
order by cid desc
limit 1;
Alternatively, just use group_concat
:
select '|' || group_concat(name, '|') || '|' from pragma_table_info('t')
Both yield:
|a|b|c|
ReferenceURL : https://stackoverflow.com/questions/685206/how-to-get-a-list-of-column-names
'IT박스' 카테고리의 다른 글
상태 표시 줄을 검은 색 아이콘이있는 흰색으로 만들려면 어떻게해야합니까? (0) | 2021.01.06 |
---|---|
C로 디렉토리 목록을 어떻게 얻습니까? (0) | 2021.01.06 |
인덱스로 NSMutableDictionary의 개체에 액세스 (0) | 2021.01.06 |
웹 서비스 대 EJB 대 RMI, 장단점? (0) | 2021.01.06 |
FileStream 및 폴더 생성 (0) | 2021.01.06 |