Table creation/Postal addresses: Difference between revisions

→‎{{header|Wren}}: Added a second version using Wren-table.
No edit summary
(→‎{{header|Wren}}: Added a second version using Wren-table.)
 
(43 intermediate revisions by 16 users not shown)
Line 1:
{{task|Database operations}}
 
In this task, the goal is to create a table to store addresses. You may assume that all the addresses to be stored will be located in the USA. As such, you will need (in addition to a field holding a unique identifier) a field holding the street address, a field holding the city, a field holding the state code, and a field holding the zipcode. Choose appropriate types for each field.
;Task:
Create a table to store addresses.
 
You may assume that all the addresses to be stored will be located in the USA.   As such, you will need (in addition to a field holding a unique identifier) a field holding the street address, a field holding the city, a field holding the state code, and a field holding the zipcode.   Choose appropriate types for each field.
 
For non-database languages, show how you would open a connection to a database (your choice of which) and create an address table in it. You should follow the existing models here for how you would structure the table.
<br><br>
 
=={{header|ALGOL 68}}==
Line 10 ⟶ 15:
 
<!-- {{does not work with|ELLA ALGOL 68|Any (with appropriate job cards) - tested with release 1.8.8d.fc9.i386 - needed formatted transput}} -->
<langsyntaxhighlight lang="algol68">MODE ADDRESS = STRUCT(
INT page,
FLEX[50]CHAR street,
Line 55 ⟶ 60:
# set(address table, page OF john brown,1,1); - standard set page not available in a68g #
put bin(address table, john brown);
close(address table)</langsyntaxhighlight>
Output:
<pre>
Line 66 ⟶ 71:
 
=={{header|Apache Derby}}==
<langsyntaxhighlight SQLlang="sql">create table Address (
addrID integer primary key generated by default as identity,
addrStreet varchar(50) not null,
Line 73 ⟶ 78:
addrZip char(10) not null
);
</syntaxhighlight>
</lang>
'''Interactive session:
<pre style="height: 30em; overflow: scroll">
Line 121 ⟶ 126:
 
</pre>
 
=={{header|Arturo}}==
 
<syntaxhighlight lang="rebol">db: open.sqlite "addresses.db"
 
query db {!sql
CREATE TABLE address (
addrID INTEGER PRIMARY KEY AUTOINCREMENT,
addrStreet TEXT NOT NULL,
addrCity TEXT NOT NULL,
addrState TEXT NOT NULL,
addrZIP TEXT NOT NULL
)
}
 
close db</syntaxhighlight>
 
=={{header|AWK}}==
Line 128 ⟶ 149:
This version uses the AWK pipe, 'getline' function, and the sqlite3 command line program.
 
<langsyntaxhighlight lang="awk">#!/bin/sh -f
awk '
BEGIN {
Line 160 ⟶ 181:
}
 
'</langsyntaxhighlight>
 
=={{header|BASIC256}}==
<syntaxhighlight lang="vbnet"># create a new database file or open it
dbopen "addresses.sqlite3"
 
# delete the existing table - If it is a new database, the error is captured
onerror errortrap
dbexecute "drop table addresses;"
offerror
 
# create the table
dbexecute "CREATE TABLE addresses (addrID integer, addrStreet string, addrCity string, addrState string, addrZIP string);"
 
# close all
dbclose
end
 
errortrap:
# accept the error - show nothing - return to the next statement
return</syntaxhighlight>
 
=={{header|C}}==
{{libheader|SQLite}}
<langsyntaxhighlight lang="c">#include <stdio.h>
#include <stdlib.h>
#include <sqlite3.h>
Line 195 ⟶ 236:
}
return EXIT_SUCCESS;
}</langsyntaxhighlight>
 
=={{header|C++}}==
This example completes the task with a random access file, instead of using an external library.
<syntaxhighlight lang="c++">
#include <cstdint>
#include <fstream>
#include <iostream>
#include <string>
#include <vector>
 
class Address {
public:
Address(const std::string& aName, const std::string& aStreet, const std::string& aCity,
const std::string& aState, const std::string& aZipCode)
: name(aName), street(aStreet), city(aCity), state(aState), zipCode(aZipCode) {}
 
std::string address_record() {
std::string record;
record += fixed_length(name, 30);
record += fixed_length(street, 30);
record += fixed_length(city, 15);
record += fixed_length(state, 5);
record += fixed_length(zipCode, 10);
return record;
}
 
static constexpr uint32_t RECORD_LENGTH = 90;
 
private:
std::string fixed_length(const std::string& text, const uint64_t& size) {
return ( text.length() > size ) ? text.substr(0, size) : text + std::string(size - text.length(), ' ');
}
 
std::string name, street, city, state, zipCode;
};
 
int main() {
std::vector<Address> addresses = {
Address("FSF Inc.", "51 Franklin Street", "Boston", "MA", "02110-1301"),
Address("The White House", "1600 Pennsylvania Avenue NW", "Washington", "DC", "20500"),
Address("National Security Council", "1700 Pennsylvania Avenue NW", "Washington", "DC", "20500")
};
 
std::fstream file("addresses.dat", std::ios::app | std::ios::in | std::ios::out);
if ( ! file ) {
std::cerr << "Error. Cannot open file." << std::endl;
exit(EXIT_FAILURE);
}
 
for ( uint64_t i = 0; i < addresses.size(); ++i ) {
file.seekp(i * Address::RECORD_LENGTH, std::ios::beg);
file << addresses[i].address_record();
}
 
for ( uint64_t i = 0; i < addresses.size(); ++i ) {
file.seekg(i * Address::RECORD_LENGTH, std::ios::beg);
char ch;
std::string address;
while ( address.length() < Address::RECORD_LENGTH ) {
file.get(ch);
address += ch;
}
std::cout << address << std::endl;
}
 
file.close();
}
</syntaxhighlight>
{{ out }}
<pre>
FSF Inc. 51 Franklin Street Boston MA 02110-1301
The White House 1600 Pennsylvania Avenue NW Washington DC 20500
National Security Council 1700 Pennsylvania Avenue NW Washington DC 20500
</pre>
 
=={{header|Clojure}}==
<langsyntaxhighlight lang="clojure">(require '[clojure.java.jdbc :as sql])
; Using h2database for this simple example.
(def db {:classname "org.h2.Driver"
Line 211 ⟶ 326:
[:state "varchar"]
[:zip "varchar"]))
</syntaxhighlight>
</lang>
 
=={{header|DB2 UDB}}==
<lang sql>CREATE TABLE Address (
addrID Integer generated by default as identity,
addrStreet Varchar(50) not null,
addrCity Varchar(25) not null,
addrState Char(2) not null,
addrZIP Char(10) not null
)</lang>
 
=={{header|EchoLisp}}==
<langsyntaxhighlight lang="scheme">
(lib 'struct)
(lib 'sql)
Line 240 ⟶ 346:
[0] 15 Gallubert 29 rue de l'Ermitage Paris Seine 75020
[1] 16 Brougnard 666 rue des Cascades Paris Seine 75042
</syntaxhighlight>
</lang>
 
 
=={{header|Erlang}}==
Erlang has built in databases. This is the the one with most features: Mnesia. There are database connectors to other databases, too.
<syntaxhighlight lang="erlang">
<lang Erlang>
-module( table_creation ).
 
Line 255 ⟶ 360:
mnesia:start(),
mnesia:create_table( address, [{attributes, record_info(fields, address)}] ).
</syntaxhighlight>
</lang>
{{out}}
<pre>
Line 264 ⟶ 369:
=={{header|FunL}}==
FunL has built-in support for H2 and comes bundled with the H2 database engine.
<langsyntaxhighlight lang="funl">import db.*
import util.*
 
Line 300 ⟶ 405:
print( TextTable.apply(result) )
 
conn.close()</langsyntaxhighlight>
 
{{out}}
Line 312 ⟶ 417:
+----+-----------------+---------------------------+----------+--------+---------+------------+----------------+
</pre>
 
=={{header|FreeBASIC}}==
{{libheader|SQLite}}
<syntaxhighlight lang="vbnet">#include once "sqlite3.bi"
 
Const NULL As Any Ptr = 0
 
Dim As sqlite3 Ptr db
Dim As zstring Ptr errMsg
 
If sqlite3_open(":memory:", @db) <> SQLITE_OK Then
Print "Could not open database: "; sqlite3_errmsg(db)
sqlite3_close(db)
Sleep
End 1
End If
 
Dim As String sql = "CREATE TABLE address(" _
& "addrID INTEGER PRIMARY KEY AUTOINCREMENT," _
& "addrStreet TEXT NOT NULL," _
& "addrCity TEXT NOT NULL," _
& "addrState TEXT NOT NULL," _
& "addrZIP TEXT NOT NULL);"
 
If sqlite3_exec(db, sql, NULL, NULL, @errMsg) <> SQLITE_OK Then
Print "Error creating table: "; *errMsg
sqlite3_free(errMsg)
Else
Print "Table created successfully"
End If
 
sqlite3_close(db)
 
Sleep</syntaxhighlight>
 
=={{header|Go}}==
<langsyntaxhighlight lang="go">package main
 
import (
Line 360 ⟶ 499:
fmt.Println(field, storage)
}
}</langsyntaxhighlight>
{{out}}
<pre>
Line 375 ⟶ 514:
{{libheader|sqlite-simple}}
 
<langsyntaxhighlight lang="haskell">{-# LANGUAGE OverloadedStrings #-}
 
import Database.SQLite.Simple
Line 389 ⟶ 528:
\addrZIP TEXT NOT NULL \
\)"
close db</langsyntaxhighlight>
 
=={{header|J}}==
J is a programming language, not a database, but it ships with a database built in the programming language called [[j:JDB|JDB]]. Using that, assuming <tt>hd</tt> is your database, then:
 
<langsyntaxhighlight lang="j"> Create__hd 'Address';noun define
addrID autoid;
addrStreet varchar
Line 400 ⟶ 539:
addrState char
addrZip char
)</langsyntaxhighlight>
 
Of course J can connect external databases too, using e.g. [[j:Studio/ODBC%20Basics|ODBC]]. See the [[j:DB|list of J database topics]].
 
=={{header|Java}}==
Java can connect with many databases.
This example completes the task with a random access file, instead of using an external library.
<syntaxhighlight lang="java">
import java.io.IOException;
import java.nio.ByteBuffer;
import java.nio.channels.FileChannel;
import java.nio.file.Path;
import java.nio.file.StandardOpenOption;
 
public final class TableCreationPostalAddresses {
 
public static void main(String[] args) throws IOException {
Address[] addresses = new Address[] {
new Address("FSF Inc.", "51 Franklin Street", "Boston", "MA", "02110-1301"),
new Address("The White House", "1600 Pennsylvania Avenue NW", "Washington", "DC", "20500"),
new Address("National Security Council", "1700 Pennsylvania Avenue NW", "Washington", "DC", "20500")
};
Path path = Path.of("addresses.dat");
FileChannel fileChannel = FileChannel.open(path, StandardOpenOption.CREATE,
StandardOpenOption.READ,
StandardOpenOption.WRITE);
for ( int i = 0; i < addresses.length; i++ ) {
byte[] data = addresses[i].addressRecord().getBytes();
ByteBuffer writeBuffer = ByteBuffer.wrap(data);
fileChannel.position(i * Address.RECORD_LENGTH);
while ( writeBuffer.hasRemaining() ) {
fileChannel.write(writeBuffer);
}
}
for ( int i = 0; i < addresses.length; i++ ) {
fileChannel.position(i * Address.RECORD_LENGTH);
ByteBuffer readBuffer = ByteBuffer.allocate(Address.RECORD_LENGTH);
fileChannel.read(readBuffer);
System.out.println( new String(readBuffer.array()) );
}
fileChannel.close();
}
}
 
final class Address {
public Address(String aName, String aStreet, String aCity, String aState, String aZipCode) {
name = aName; street = aStreet; city = aCity; state = aState; zipCode = aZipCode;
}
public String addressRecord() {
String record = "";
record += String.format("%-30s", name);
record += String.format("%-30s", street);
record += String.format("%-15s", city);
record += String.format("%-5s", state);
record += String.format("%-10s", zipCode);
return record;
}
public static final int RECORD_LENGTH = 30 + 30 + 15 + 5 + 10;
private String name, street, city, state, zipCode;
}
</syntaxhighlight>
{{ out }}
<pre>
FSF Inc. 51 Franklin Street Boston MA 02110-1301
The White House 1600 Pennsylvania Avenue NW Washington DC 20500
National Security Council 1700 Pennsylvania Avenue NW Washington DC 20500
</pre>
 
=={{header|Julia}}==
{{works with|Julia|0.6}}
 
<syntaxhighlight lang="julia">using SQLite
 
db = SQLite.DB()
SQLite.execute!(db, """\
CREATE TABLE address (
addrID INTEGER PRIMARY KEY AUTOINCREMENT,
addrStreet TEXT NOT NULL,
addrCity TEXT NOT NULL,
addrState TEXT NOT NULL,
addrZIP TEXT NOT NULL)
""")</syntaxhighlight>
 
=={{header|Kotlin}}==
Rather than use an external database, we use the built-in RandomAccessFile class for his task. The data used is the same as for the REXX entry.
<syntaxhighlight lang="scala">// Version 1.2.41
 
import java.io.File
import java.io.RandomAccessFile
 
fun String.toFixedLength(len: Int) = this.padEnd(len).substring(0, len)
 
class Address(
var name: String,
var street: String = "",
var city: String = "",
var state: String = "",
var zipCode: String = "",
val autoId: Boolean = true
) {
var id = 0L
private set
 
init {
if (autoId) id = ++nextId
}
 
companion object {
private var nextId = 0L
 
const val RECORD_LENGTH = 127 // including 2 bytes for UTF string length
 
fun readRecord(file: File, id: Long): Address {
val raf = RandomAccessFile(file, "r")
val seekPoint = (id - 1) * RECORD_LENGTH
raf.use {
it.seek(seekPoint)
val id2 = it.readLong()
if (id != id2) {
println("Database is corrupt")
System.exit(1)
}
val text = it.readUTF()
val name = text.substring(0, 30).trimEnd()
val street = text.substring(30, 80).trimEnd()
val city = text.substring(80, 105).trimEnd()
val state = text.substring(105, 107)
val zipCode = text.substring(107).trimEnd()
val a = Address(name, street, city, state, zipCode, false)
a.id = id
return a
}
}
}
 
override fun toString() =
"Id : ${this.id}\n" +
"Name : $name\n" +
"Street : $street\n" +
"City : $city\n" +
"State : $state\n" +
"Zip Code : $zipCode\n"
 
fun writeRecord(file: File) {
val raf = RandomAccessFile(file, "rw")
val text =
name.toFixedLength(30) +
street.toFixedLength(50) +
city.toFixedLength(25) +
state +
zipCode.toFixedLength(10)
val seekPoint = (id - 1) * RECORD_LENGTH
raf.use {
it.seek(seekPoint)
it.writeLong(id)
it.writeUTF(text)
}
}
}
 
fun main(args: Array<String>) {
val file = File("addresses.dat")
val addresses = listOf(
Address("FSF Inc.", "51 Franklin Street", "Boston", "MA", "02110-1301"),
Address("The White House", "The Oval Office, 1600 Pennsylvania Avenue NW", "Washington", "DC", "20500")
)
// write the address records to the file
addresses.forEach { it.writeRecord(file) }
 
// now read them back in reverse order and print them out
for (i in 2 downTo 1) {
println(Address.readRecord(file, i.toLong()))
}
}</syntaxhighlight>
 
{{output}}
<pre>
Id : 2
Name : The White House
Street : The Oval Office, 1600 Pennsylvania Avenue NW
City : Washington
State : DC
Zip Code : 20500
 
Id : 1
Name : FSF Inc.
Street : 51 Franklin Street
City : Boston
State : MA
Zip Code : 02110-1301
</pre>
 
=={{header|Lasso}}==
Lasso has excellent support for connecting to and handling databases.
 
<langsyntaxhighlight Lassolang="lasso">// connect to a Mysql database
inline(-database = 'rosettatest', -sql = "CREATE TABLE `address` (
`id` int(11) NOT NULL auto_increment,
Line 418 ⟶ 754:
") => {^
error_msg
^}</langsyntaxhighlight>
Output:
<pre>No error</pre>
 
=={{header|MathematicaLua}}==
Using LJSQLite3 - compatible with LuaJIT and supplied in the ULua distribution.
<lang Mathematica>TableCreation="CREATE TABLE address (
<syntaxhighlight lang="lua">-- Import module
local sql = require("ljsqlite3")
 
-- Open connection to database file
local conn = sql.open("address.sqlite")
 
-- Create address table unless it already exists
conn:exec[[
CREATE TABLE IF NOT EXISTS address(
id INTEGER PRIMARY KEY AUTOINCREMENT,
street TEXT NOT NULL,
city TEXT NOT NULL,
state TEXT NOT NULL,
zip TEXT NOT NULL)
]]
 
-- Explicitly close connection
conn:close()</syntaxhighlight>
 
=={{header|Mathematica}}/{{header|Wolfram Language}}==
<syntaxhighlight lang="mathematica">TableCreation="CREATE TABLE address (
addrID INTEGER PRIMARY KEY AUTOINCREMENT,
addrStreet TEXT NOT NULL, addrCity TEXT NOT NULL,
addrState TEXT NOT NULL, addrZIP TEXT NOT NULL )";
 
Needs["DatabaseLink`"]
conn=OpenSQLConnection[ JDBC[ "mysql","databases:1234/conn_test"], "Username" -> "test"]
SQLExecute[ conn, TableCreation]</langsyntaxhighlight>
 
=={{header|MySQL}}==
<langsyntaxhighlight lang="mysql">CREATE TABLE `Address` (
`addrID` int(11) NOT NULL auto_increment,
`addrStreet` varchar(50) NOT NULL default '',
Line 440 ⟶ 796:
`addrZIP` char(10) NOT NULL default '',
PRIMARY KEY (`addrID`)
);</langsyntaxhighlight>
 
=={{header|NetRexx}}==
Line 447 ⟶ 803:
{{libheader|Apache Derby}}
This sample creates a table in an embedded Apache Derby database.
<langsyntaxhighlight NetRexxlang="netrexx">/* NetRexx */
options replace format comments java crossref symbols binary
 
Line 507 ⟶ 863:
createTable()
return
</syntaxhighlight>
</lang>
 
=={{header|Nim}}==
<langsyntaxhighlight lang="nim">import db_sqlite as db
#import db_mysql as db
#import db_postgres as db
Line 527 ⟶ 883:
addrState TEXT NOT NULL,
addrZIP TEXT NOT NULL)"""
c.close()</langsyntaxhighlight>
 
=={{header|ooRexx}}==
<langsyntaxhighlight lang="oorexx">/* REXX ***************************************************************
* 17.05.2013 Walter Pachl translated from REXX version 2
* nice try? improvements are welcome as I am rather unexperienced
Line 570 ⟶ 926:
Say ' state -->' self~state
Say ' zip -->' self~zip
Say copies('-',40)</langsyntaxhighlight>
Output is as for REXX version 2
 
=={{header|Oracle}}==
<langsyntaxhighlight lang="sql">CREATE SEQUENCE seq_address_pk START BY 100 INCREMENT BY 1
/
CREATE TABLE address (
Line 584 ⟶ 940:
CONSTRAINT address_pk1 PRIMARY KEY ( addrID )
)
/</langsyntaxhighlight>
 
=={{header|Oz}}==
Line 593 ⟶ 949:
 
The SQLite version that comes with Ozsqlite does not understand "AUTOINCREMENT".
<langsyntaxhighlight lang="oz">declare
[Sqlite] = {Module.link ['x-ozlib:/sqlite/Sqlite.ozf']}
 
Line 614 ⟶ 970:
finally
{Sqlite.close DB}
end</langsyntaxhighlight>
 
=={{header|Perl}}==
<langsyntaxhighlight lang="perl">use DBI;
 
my $db = DBI->connect('DBI:mysql:database:server','login','password');
Line 633 ⟶ 989:
 
my $exec = $db->prepare($statment);
$exec->execute;</langsyntaxhighlight>
 
This example uses mysql, but DBI supports a extensive list of database drivers. See [http://dbi.perl.org/ dbi.perl.org] for more info.
 
=={{header|Phix}}==
{{libheader|SQLite}}
<!--<syntaxhighlight lang="phix">(notonline)-->
<span style="color: #008080;">without</span> <span style="color: #008080;">js</span> <span style="color: #000080;font-style:italic;">-- (file i/o)</span>
<span style="color: #008080;">include</span> <span style="color: #000000;">pSQLite</span><span style="color: #0000FF;">.</span><span style="color: #000000;">e</span>
<span style="color: #008080;">constant</span> <span style="color: #000000;">sqlcode</span> <span style="color: #0000FF;">=</span> <span style="color: #008000;">"""
CREATE TABLE address (
addrID INTEGER PRIMARY KEY AUTOINCREMENT,
addrStreet TEXT NOT NULL,
addrCity TEXT NOT NULL,
addrState TEXT NOT NULL,
addrZIP TEXT NOT NULL)"""</span>
<span style="color: #000000;">sqlite3</span> <span style="color: #000000;">db</span> <span style="color: #0000FF;">=</span> <span style="color: #000000;">sqlite3_open</span><span style="color: #0000FF;">(</span><span style="color: #008000;">"address.sqlite"</span><span style="color: #0000FF;">)</span>
<span style="color: #004080;">integer</span> <span style="color: #000000;">res</span> <span style="color: #0000FF;">=</span> <span style="color: #000000;">sqlite3_exec</span><span style="color: #0000FF;">(</span><span style="color: #000000;">db</span><span style="color: #0000FF;">,</span><span style="color: #000000;">sqlcode</span><span style="color: #0000FF;">)</span>
<span style="color: #008080;">if</span> <span style="color: #000000;">res</span><span style="color: #0000FF;">=</span><span style="color: #000000;">SQLITE_OK</span> <span style="color: #008080;">then</span>
<span style="color: #000000;">sqlite3_close</span><span style="color: #0000FF;">(</span><span style="color: #000000;">db</span><span style="color: #0000FF;">)</span>
<span style="color: #008080;">else</span>
<span style="color: #000080;font-style:italic;">-- can show eg "sqlite3_exec error: 1 [table address already exists]"</span>
<span style="color: #7060A8;">printf</span><span style="color: #0000FF;">(</span><span style="color: #000000;">1</span><span style="color: #0000FF;">,</span><span style="color: #008000;">"sqlite3_exec error: %d [%s]\n"</span><span style="color: #0000FF;">,{</span><span style="color: #000000;">res</span><span style="color: #0000FF;">,</span><span style="color: #000000;">sqlite_last_exec_err</span><span style="color: #0000FF;">})</span>
<span style="color: #008080;">end</span> <span style="color: #008080;">if</span>
<!--</syntaxhighlight>-->
 
=={{header|PHP}}+SQLite==
{{trans|Python}}
not tested
<langsyntaxhighlight lang="php"><?php
$db = new SQLite3(':memory:');
$db->exec("
Line 651 ⟶ 1,030:
)
");
?></langsyntaxhighlight>
 
=={{header|PicoLisp}}==
Line 659 ⟶ 1,038:
 
Define an "address" entity, and create the database:
<langsyntaxhighlight PicoLisplang="picolisp">(class +Adr +Entity)
(rel nm (+Sn +Idx +String)) # Name [Soundex index]
(rel str (+String)) # Street
Line 670 ⟶ 1,049:
(rel jpg (+Blob)) # Photo
 
(pool "address.db") # Create database</langsyntaxhighlight>
Create a first entry, and show it:
<langsyntaxhighlight PicoLisplang="picolisp">(show
(new! '(+Adr) # Create a record
'nm "FSF Inc."
'str "51 Franklin St"
'st "Boston, MA"
'zip "02110-1301" ) )</langsyntaxhighlight>
Output:
<pre>{2} (+Adr)
Line 685 ⟶ 1,064:
nm "FSF Inc."</pre>
Interactive "select":
<langsyntaxhighlight PicoLisplang="picolisp">(select nm zip +Adr nm "FSF") # Select name, zip from Adr where name = FSF*</langsyntaxhighlight>
Output:
<pre>"FSF Inc." "02110-1301" {2}</pre>
 
=={{header|PostgreSQL}}==
<langsyntaxhighlight lang="sql">CREATE SEQUENCE address_seq start 100;
CREATE TABLE address (
addrID int4 PRIMARY KEY DEFAULT nextval('address_seq'),
Line 697 ⟶ 1,076:
state varchar(2) not null,
zip varchar(20) not null
);</langsyntaxhighlight>
 
 
 
=={{header|PureBasic}}+SQLite==
Easiest approach with sqlite. Further possible: PostgresQL or each other over ODBC.
<lang Purebasic>
UseSQLiteDatabase()
Procedure CheckDatabaseUpdate(Database, Query$)
Result = DatabaseUpdate(Database, Query$)
If Result = 0
Print(DatabaseError())
EndIf
ProcedureReturn Result
EndProcedure
openconsole()
DatabaseFile$ = GetCurrentDirectory()+"/rosettadb.sdb"
If CreateFile(0, DatabaseFile$)
CloseFile(0)
If OpenDatabase(0, DatabaseFile$, "", "")
CheckDatabaseUpdate(0,"CREATE TABLE address ( addrID INTEGER PRIMARY KEY AUTOINCREMENT, addrStreet TEXT Not NULL, addrCity TEXT Not NULL, addrState TEXT Not NULL, addrZIP TEXT Not NULL)")
CloseDatabase(0)
Else
print("Can't open database !")
EndIf
Else
print("Can't create the database file !")
EndIf
closeconsole()
</lang>
 
=={{header|PowerShell}}+SQLite==
{{libheader|SQLite}}
<syntaxhighlight lang="powershell">
<lang PowerShell>
Import-Module -Name PSSQLite
 
Line 763 ⟶ 1,113:
 
## View the data
Invoke-SqliteQuery -DataSource $DataSource -Query "SELECT * FROM SSADDRESS" | FormatTable -AutoSize
</syntaxhighlight>
</lang PowerShell>
{{Out}}
 
Output:
<pre>
Id LastName FirstName Address City State Zip
-- -------- --------- ------- ---- ----- ---
1 Monster Cookie 666 Sesame St Holywood CA 90013
</pre>
 
=={{header|PureBasic}}+SQLite==
Id : 1
Easiest approach with sqlite. Further possible: PostgresQL or each other over ODBC.
LastName : Monster
<syntaxhighlight lang="purebasic">
FirstName : Cookie
UseSQLiteDatabase()
Address : 666 Sesame St
Procedure CheckDatabaseUpdate(Database, Query$)
City : Holywood
Result = DatabaseUpdate(Database, Query$)
State : CA
Zip If Result = : 900130
Print(DatabaseError())
 
EndIf
 
ProcedureReturn Result
</pre>
EndProcedure
openconsole()
DatabaseFile$ = GetCurrentDirectory()+"/rosettadb.sdb"
If CreateFile(0, DatabaseFile$)
CloseFile(0)
If OpenDatabase(0, DatabaseFile$, "", "")
CheckDatabaseUpdate(0,"CREATE TABLE address ( addrID INTEGER PRIMARY KEY AUTOINCREMENT, addrStreet TEXT Not NULL, addrCity TEXT Not NULL, addrState TEXT Not NULL, addrZIP TEXT Not NULL)")
CloseDatabase(0)
Else
print("Can't open database !")
EndIf
Else
print("Can't create the database file !")
EndIf
closeconsole()
</syntaxhighlight>
 
=={{header|Python}}+SQLite==
{{libheader|SQLite}}
<langsyntaxhighlight lang="python">>>> import sqlite3
>>> conn = sqlite3.connect(':memory:')
>>> conn.execute('''CREATE TABLE address (
Line 793 ⟶ 1,161:
)''')
<sqlite3.Cursor object at 0x013265C0>
>>> </langsyntaxhighlight>
 
=={{header|Racket}}==
Line 799 ⟶ 1,167:
Racket supports a bunch of DBs, this is using sqlite, which is almost always available. Also included some further demonstrations beyond just the table creation:
 
<syntaxhighlight lang="racket">
<lang Racket>
#lang at-exp racket
 
Line 850 ⟶ 1,218:
 
(disconnect postal)
</syntaxhighlight>
</lang>
 
Output:
Line 866 ⟶ 1,234:
National Security Council, 1700 Pennsylvania Avenue NW, Washington.
</pre>
 
=={{header|Raku}}==
(formerly Perl 6)
{{works with|Rakudo|2017.09}}
 
Like Perl DBI, Raku DBIish supports many different databases. An example using SQLite is shown here.
 
<syntaxhighlight lang="raku" line>use DBIish;
 
my $dbh = DBIish.connect('SQLite', :database<addresses.sqlite3>);
 
my $sth = $dbh.do(q:to/STATEMENT/);
DROP TABLE IF EXISTS Address;
CREATE TABLE Address (
addrID INTEGER PRIMARY KEY AUTOINCREMENT,
addrStreet TEXT NOT NULL,
addrCity TEXT NOT NULL,
addrState TEXT NOT NULL,
addrZIP TEXT NOT NULL
)
STATEMENT</syntaxhighlight>
 
=={{header|REXX}}==
===version 1===
A REXX program can call SQL or any other database system, but the version shown here is a RYO (roll your own).
 
<br>Practically no error checking (for invalid fields, etc.) has been coded.
Practically no error checking (for invalid fields, etc.) has been coded.
<br>The fields are for the most part, USA specific, but could be expanded
 
for other countries.
The fields are for the most part, USA specific, but could be expanded for other countries.
<br>In addition to "state", fields such as province, municipality, ward,
 
parish, country, etc) could be added without exclusion.
In addition to "state", fields such as province, municipality, ward, parish, country, etc) could be added without exclusion.
<br>A logging facility is included which tracks who (by userID) did what update (or change), along with a timestamp.
 
<lang>╔════════════════════════════════════════════════════════════════════════════════╗
Also, a history logging facility is included which tracks who (by userID) did what update (or change), along with a timestamp.
╟───── Format of an entry in the USA address/city/state/zip code structure:──────╣
<pre>
║ ║
╔════════╤════════════════════════════════════════════════════════════════════════╤══════╗
║ The "structure" name can be any legal variable name, but here the name will be ║
╟────────┘ Format of an entry in the USA address/city/state/zip code structure: └──────╢
║ shortened to make these comments (and program) easier to read; its name will ║
║ ║
║ be @USA (in any letter case). In addition, the following variable names║
║ The structure name can be any variable name, but here it'll be shortened to make these║
║ (stemmed array tails) will need to be kept uninitialized (that is, not used ║
║ comments and program easier to read; its name will be: @USA or @usa (or both).║
║ for any variable name). To that end, each of these variable names will have an║
║ ║
║ underscore in the beginning of each name. Other possibilities are to have a ║
║ Each of the variable names beginning with an underscore (_) aren't to be used elsewhere║
║ trailing underscore (or both leading and trailing), or some other special eye─ ║
║ in the program. Other possibilities are to have a trailing underscore (or both) or ║
║ catching character such as: ! @ # $ ? ║
some other special eye─catching character such as: ! @ # $ ?
║ ║
║ Any field not specified will have a value of "null" (which has a length of 0).║
║ Any field not specified will have a value of a null (which has a length of zero). ║
║ ║
║ ║
║ Any field can contain any number of characters, this can be limited by the ║
restrictionsAny imposedfield bymay thecontain standardsany number orof characters, the USAthis can be limited by the legal definitions.
Any number ofrestrictions fieldsimposed couldby bethe addedstandards (withor invalid fieldthe testing)USA legal definitions.
║ Any number of fields could be added (with testing for invalid fields). ║
╟────────────────────────────────────────────────────────────────────────────────╣
╟────────────────────────────────────────────────────────────────────────────────────────╢
║ @USA.0 the number of entries in the @USA stemmed array. ║
@USA.0 the number of entries in the @USA stemmed array.
nnn is some positive integer of any length (no leading zeroes).
║ nnn is some positive integer of any length (no leading zeros). ║
╟────────────────────────────────────────────────────────────────────────────────╣
╟────────────────────────────────────────────────────────────────────────────────────────╢
║ @USA.nnn._name is the name of person, business, or a lot description. ║
║ @USA.nnn._name is the name of person, business, or a lot description. ║
╟────────────────────────────────────────────────────────────────────────────────╣
╟────────────────────────────────────────────────────────────────────────────────────────╢
║ @USA.nnn._addr is the 1st street address ║
║ @USA.nnn._addr2_addr1 is the 2nd1st street address
║ @USA.nnn._addr3_addr2 is the 3rd2nd street address
║ @USA.nnn._addrNN_addr3 is the 3rd street address ··· (any number, but in sequential order).
║ @USA.nnn._addrNN ··· (any number, but in sequential order). ║
╟────────────────────────────────────────────────────────────────────────────────╣
╟────────────────────────────────────────────────────────────────────────────────────────╢
║ @USA.nnn._state is the USA postal code for the state, terrority, etc. ║
║ @USA.nnn._state is the USA postal code for the state, territory, etc. ║
╟────────────────────────────────────────────────────────────────────────────────╣
╟────────────────────────────────────────────────────────────────────────────────────────╢
║ @USA.nnn._city is the official city name, it may include any character. ║
║ @USA.nnn._city is the official city name, it may include any character. ║
╟────────────────────────────────────────────────────────────────────────────────╣
╟────────────────────────────────────────────────────────────────────────────────────────╢
║ @USA.nnn._zip is the USA postal zip code, five or ten digit format. ║
║ @USA.nnn._zip is the USA postal zip code (five or ten digit format). ║
╟────────────────────────────────────────────────────────────────────────────────╣
╟────────────────────────────────────────────────────────────────────────────────────────╢
║ @USA.nnn._upHist is the update history (who, date and timestamp). ║
║ @USA.nnn._upHist is the update history: userID who did the update; date, timestamp.║
╚════════════════════════════════════════════════════════════════════════════════╝</lang>
╚════════════════════════════════════════════════════════════════════════════════════════╝
<lang rexx>/*REXX program creates, builds, and lists a table of U.S.A. postal addresses.*/
</pre>
@usa.=; @usa.0=0 /*initialize stemmed array & 1st value.*/
<syntaxhighlight lang="rexx">/*REXX program creates, builds, and displays a table of given U.S.A. postal addresses.*/
@usa.0=@usa.0+1 /*bump the unique number for usage. */
@usa.=; @usa.0=0; $='@USA.' /*initialize array and first value.*/
call USA '_city' , 'Boston'
@usa.0=@usa.0 + 1 /*bump the unique number for usage.*/
call USA '_state' , 'MA'
call USA '_addr_city' , "51 Franklin Street"'Boston'
call USA '_name_state' , "FSF Inc."'MA'
call USA '_zip_addr1' , ,"51 Franklin '02110-1301'Street"
@usa.0=@usa.0+1 call USA '_name' , /*bump"FSF the unique number for usageInc. */"
call USA '_city_zip' , 'Washington02110-1301'
@usa.0=@usa.0 + 1 /*bump the unique number for usage.*/
call USA '_state' , 'DC'
call USA '_addr_city' , "The Oval Office"'Washington'
call USA '_addr2_state' , "1600 Pennsylvania Avenue NW"'DC'
call USA '_name_addr1' , "The WhiteOval HouseOffice"
call USA '_zip_addr2' , ,"1600 Pennsylvania Avenue 20500NW"
call USA 'list_name' , "The White House"
exit call USA '_zip' , 20500 /*stickno aneed forkfor inquotes it,for a we're all donenumber. */
call USA 'list'
/*────────────────────────────────────────────────────────────────────────────*/
exit /*stick a fork in it, we're all done. */
USA: procedure expose @USA.; parse arg what,txt; arg ?; nn=@usa.0
/*──────────────────────────────────────────────────────────────────────────────────────*/
if ?=='LIST' then do nn=1 for @usa.0; call lister; end /*nn*/
tell: parse arg a; z=value($||#"."a); if z\='' then say right(translate(a,,'_'),9) "──►" z
else do
return
call value '@USA.'nn"."what , txt
/*──────────────────────────────────────────────────────────────────────────────────────*/
call value '@USA.'nn".upHist", userid() date() time()
USA: procedure expose @usa. $; parse arg what; arg ?
end
if ?=='LIST' then do #=1 for @usa.0
return
call tell '_name'
/*────────────────────────────────────────────────────────────────────────────*/
do j=1 until z=''; call tell "_addr"j; end
tell: _=value('@USA.'nn"."arg(1))
if _\=='' then say right(translate(arg(1), , '_'), 6) "──►" _call tell '_city'
call tell '_state'
return
call tell '_zip'
/*────────────────────────────────────────────────────────────────────────────*/
say copies('─', 45)
lister: call tell '_name'
call tell '_addr' end /*#*/
else do; call dovalue j=2$ || until _==@usa.0'.';what call tell, '_addr'j; end /*j*/arg(2)
call value $ || @usa.0'.upHist' , userid() date() time()
call tell '_city'
call tell '_state' end
return</syntaxhighlight>
call tell '_zip'
{{out|output|text=&nbsp; (data used is within the REXX program):}}
say copies('─', 40)
return</lang>
'''output''' &nbsp; (data used is within the REXX program):
<pre>
name ──► FSF Inc.
addr addr1 ──► 51 Franklin Street
city ──► Boston
state ──► MA
zip ──► 02110-1301
─────────────────────────────────────────────
────────────────────────────────────────
name ──► The White House
addr addr1 ──► The Oval Office
addr2 ──► 1600 Pennsylvania Avenue NW
city ──► Washington
state ──► DC
zip ──► 20500
─────────────────────────────────────────────
────────────────────────────────────────
</pre>
 
===version 2===
<langsyntaxhighlight lang="rexx">/* REXX ***************************************************************
* 17.05.2013 Walter Pachl
* should work with every REXX.
Line 1,003 ⟶ 1,390:
Say copies('-',40)
End
Return</langsyntaxhighlight>
<pre> name --> FSF Inc.
addr --> 51 Franklin Street
Line 1,017 ⟶ 1,404:
zip --> 20500
----------------------------------------</pre>
 
=={{header|Ring}}==
<syntaxhighlight lang="ring">
# Project : Table creation/Postal addresses
 
load "stdlib.ring"
oSQLite = sqlite_init()
 
sqlite_open(oSQLite,"mytest.db")
 
sql = "CREATE TABLE ADDRESS (" +
"addrID INT NOT NULL," +
"street CHAR(50) NOT NULL," +
"city CHAR(25) NOT NULL," +
"state CHAR(2), NOT NULL" +
"zip CHAR(20) NOT NULL);"
 
sqlite_execute(oSQLite,sql)
</syntaxhighlight>
 
=={{header|Ruby}}==
Line 1,022 ⟶ 1,428:
PStore implements a persistent key store with transactions. This is a NoSQL database. Each transaction reads the entire database into memory, and then writes it again, so PStore is not good for large databases.
 
<langsyntaxhighlight lang="ruby">require 'pstore'
require 'set'
 
Line 1,031 ⟶ 1,437:
db[:next] ||= 0 # Next available Address#id
db[:ids] ||= Set[] # Set of all ids in db
end</langsyntaxhighlight>
 
To put an Address inside this PStore:
 
<langsyntaxhighlight lang="ruby">db.transaction do
id = (db[:next] += 1)
db[id] = Address.new(id,
Line 1,041 ⟶ 1,447:
"Washington", "DC", 20500)
db[:ids].add id
end</langsyntaxhighlight>
 
===With SQLite===
Line 1,047 ⟶ 1,453:
 
{{libheader|sqlite3-ruby}}
<langsyntaxhighlight lang="ruby">require 'sqlite3'
 
db = SQLite3::Database.new(':memory:')
Line 1,058 ⟶ 1,464:
addrZIP TEXT NOT NULL
)
")</langsyntaxhighlight>
 
=={{header|Run BASIC}}==
AQLite
<langsyntaxhighlight lang="runbasic">sqliteconnect #mem, ":memory:" ' make handle #mem
mem$ = "
CREATE TABLE address (
Line 1,071 ⟶ 1,477:
addrZIP TEXT NOT NULL
)"
#mem execute(mem$)</langsyntaxhighlight>
 
=={{header|SAS}}==
<langsyntaxhighlight lang="sql">
 
PROC SQL;
Line 1,086 ⟶ 1,492:
)
;QUIT;
</syntaxhighlight>
</lang>
 
=={{header|Scheme}}==
Line 1,094 ⟶ 1,500:
This example works with Chicken Scheme, using its sql-de-lite library:
 
<langsyntaxhighlight lang="scheme">
(use sql-de-lite)
 
Line 1,111 ⟶ 1,517:
 
(close-database *db*) ; finally, close database
</syntaxhighlight>
</lang>
 
=={{header|Sidef}}==
{{trans|Perl}}
<langsyntaxhighlight lang="ruby">require('DBI');
 
var db = %s'DBI'.connect('DBI:mysql:database:server','login','password');
Line 1,131 ⟶ 1,537:
 
var exec = db.prepare(statment);
exec.execute;</langsyntaxhighlight>
 
=={{header|SQL PL}}==
{{works with|Db2 LUW}}
<syntaxhighlight lang="sql pl">
CREATE TABLE Address (
addrID Integer generated by default as identity,
addrStreet Varchar(50) not null,
addrCity Varchar(25) not null,
addrState Char(2) not null,
addrZIP Char(10) not null
);
</syntaxhighlight>
Output:
<pre>
db2 -t
db2 => CREATE TABLE Address (
db2 (cont.) => addrID INTEGER generated BY DEFAULT AS IDENTITY,
db2 (cont.) => addrStreet VARCHAR(50) NOT NULL,
db2 (cont.) => addrCity VARCHAR(25) NOT NULL,
db2 (cont.) => addrState CHAR(2) NOT NULL,
db2 (cont.) => addrZIP CHAR(10) NOT NULL
db2 (cont.) =>);
DB20000I The SQL command completed successfully.
db2 => DESCRIBE TABLE Address;
 
Data type Column
Column name schema Data type name Length Scale Nulls
------------------------------- --------- ------------------- ---------- ----- ------
ADDRID SYSIBM INTEGER 4 0 No
ADDRSTREET SYSIBM VARCHAR 50 0 No
ADDRCITY SYSIBM VARCHAR 25 0 No
ADDRSTATE SYSIBM CHARACTER 2 0 No
ADDRZIP SYSIBM CHARACTER 10 0 No
 
5 record(s) selected.
</pre>
 
=={{header|SQLite}}==
Purely in Sqlite3.
<langsyntaxhighlight lang="sqlite3">
CREATE TABLE address_USA (
address_ID INTEGER PRIMARY KEY,
Line 1,143 ⟶ 1,585:
address_Zip INTEGER
);
</syntaxhighlight>
</lang>
 
=={{header|Stata}}==
 
While Stata is not a database language ''per se'', it is not uncommon to store address data in a Stata dataset. The following creates an empty dataset.
 
Other possibilities include using the '''[https://www.stata.com/help.cgi?odbc odbc]''' command or a C or Java plugin to connect to a database. See the FAQ for more details: '''[https://www.stata.com/support/faqs/data-management/using-plugin-to-connect-to-database/ How do I connect to a database by using a Stata plugin?]'''.
 
<syntaxhighlight lang="stata">clear
gen str8 addrid=""
gen str50 street=""
gen str25 city=""
gen str2 state=""
gen str20 zip=""
save address</syntaxhighlight>
 
=={{header|Tcl}}+SQLite==
{{libheader|SQLite}}
<langsyntaxhighlight lang="tcl">package require sqlite3
 
sqlite3 db address.db
Line 1,158 ⟶ 1,614:
addrZIP TEXT NOT NULL
)
}</langsyntaxhighlight>
 
=={{header|Transact-SQL}} (MSSQL)==
<langsyntaxhighlight lang="sql">CREATE TABLE #Address (
addrID int NOT NULL Identity(1,1) PRIMARY KEY,
addrStreet varchar(50) NOT NULL ,
Line 1,168 ⟶ 1,624:
addrZIP char(10) NOT NULL
)
drop table #Address</langsyntaxhighlight>
 
=={{header|VBScript}}==
<syntaxhighlight lang="vb">
<lang vb>
Option Explicit
 
Line 1,186 ⟶ 1,642:
.Close
End With
</syntaxhighlight>
</lang>
 
=={{header|Visual FoxPro}}==
<langsyntaxhighlight lang="vfp">
CLOSE DATABASES ALL
CREATE DATABASE usdata.dbc
Line 1,201 ⟶ 1,657:
OPEN DATABASE usdata.dbc
USE address.dbf SHARED
</syntaxhighlight>
</lang>
 
=={{header|Wren}}==
===Version 1===
{{libheader|Wren-dynamic}}
{{libheader|Wren-fmt}}
{{libheader|Wren-sort}}
We use the same simple database format for this task as we did for the [[Table_creation#Wren]] task.
<syntaxhighlight lang="wren">import "./dynamic" for Enum, Tuple
import "./fmt" for Fmt
import "./sort" for Cmp, Sort
 
var FieldType = Enum.create("FieldType", ["text", "num", "int", "bool"])
 
var Field = Tuple.create("Field", ["name", "fieldType", "maxLen"])
 
class Table {
construct new(name, fields, keyIndex) {
_name = name
_fields = fields
_keyIndex = keyIndex // the zero based index of the field to sort on
_records = []
_fmt = ""
for (f in _fields) {
var c = f.name.count
var l = f.maxLen.max(c)
if (f.fieldType == FieldType.text ||f.fieldType == FieldType.bool) {
l = -l
}
_fmt = _fmt + "$%(l)s "
}
_fmt = _fmt.trimEnd()
}
 
name { _name }
 
showFields() {
System.print("Fields for %(_name) table:\n")
Fmt.print("$-20s $4s $s", "name", "type", "maxlen")
System.print("-" * 33)
for (f in _fields) {
Fmt.print("$-20s $-4s $d", f.name, FieldType.members[f.fieldType], f.maxLen)
}
}
 
cmp_ { Fn.new { |r1, r2|
return (Num.fromString(r1[_keyIndex]) - Num.fromString(r2[_keyIndex])).sign
}}
 
addRecord(record) {
var items = record.split(", ")
_records.add(items)
Sort.insertion(_records, cmp_) // move new record into sorted order
}
 
showRecords() {
System.print("Records for %(_name) table:\n")
var h = Fmt.slwrite(_fmt, _fields.map { |f| f.name }.toList)
System.print(h)
System.print("-" * h.count)
for (r in _records) {
Fmt.lprint(_fmt, r)
}
}
 
removeRecord(key) {
for (i in 0..._records.count) {
if (_records[i][_keyIndex] == key.toString) {
_records.removeAt(i)
return
}
}
}
 
findRecord(key) {
for (i in 0..._records.count) {
if (_records[i][_keyIndex] == key.toString) {
return _records[i].join(", ")
}
}
return null
}
}
 
var fields = []
fields.add(Field.new("id", FieldType.int, 2))
fields.add(Field.new("name", FieldType.text, 25))
fields.add(Field.new("street", FieldType.text, 50))
fields.add(Field.new("city", FieldType.text, 15))
fields.add(Field.new("state", FieldType.text, 2))
fields.add(Field.new("zipCode", FieldType.text, 10))
 
// create table
var table = Table.new("Addresses", fields, 0)
 
// add records in unsorted order
table.addRecord("2, FSF Inc., 51 Franklin Street, Boston, MA, 02110-1301")
table.addRecord("1, The White House, The Oval Office 1600 Pennsylvania Avenue NW, Washington, DC, 20500")
table.addRecord("3, National Security Council, 1700 Pennsylvania Avenue NW, Washington, DC, 20500")
 
// show the table's fields
table.showFields()
System.print()
// show the table's records in sorted order
table.showRecords()
 
// find a record by key
System.print("\nThe record with an id of 2 is:")
System.print(table.findRecord(2))
 
// delete a record by key
table.removeRecord(1)
System.print("\nThe record with an id of 1 will be deleted, leaving:\n")
table.showRecords()</syntaxhighlight>
 
{{out}}
<pre>
Fields for Addresses table:
 
name type maxlen
---------------------------------
id int 2
name text 25
street text 50
city text 15
state text 2
zipCode text 10
 
Records for Addresses table:
 
id name street city state zipCode
---------------------------------------------------------------------------------------------------------------------
1 The White House The Oval Office 1600 Pennsylvania Avenue NW Washington DC 20500
2 FSF Inc. 51 Franklin Street Boston MA 02110-1301
3 National Security Council 1700 Pennsylvania Avenue NW Washington DC 20500
 
The record with an id of 2 is:
2, FSF Inc., 51 Franklin Street, Boston, MA, 02110-1301
 
The record with an id of 1 will be deleted, leaving:
 
Records for Addresses table:
 
id name street city state zipCode
---------------------------------------------------------------------------------------------------------------------
2 FSF Inc. 51 Franklin Street Boston MA 02110-1301
3 National Security Council 1700 Pennsylvania Avenue NW Washington DC 20500
</pre>
 
===Version 2===
{{libheader|Wren-table}}
The above module provides a more generic way to create simple databases and was not available when the first version was written.
<syntaxhighlight lang="wren">import "./table" for Table, FieldInfo, Records
 
var fields = [
FieldInfo.new("id", Num),
FieldInfo.new("name", String),
FieldInfo.new("street", String),
FieldInfo.new("city", String),
FieldInfo.new("state", String),
FieldInfo.new("zipCode", String)
]
 
// create table
var table = Table.new("Addresses", fields)
 
// add records in unsorted order
table.addAll([
[2, "FSF Inc.", "51 Franklin Street", "Boston", "MA", "02110-1301"],
[1, "The White House", "The Oval Office 1600 Pennsylvania Avenue NW", "Washington", "DC", "20500"],
[3, "National Security Council", "1700 Pennsylvania Avenue NW", "Washington", "DC", "20500"]
])
 
var colWidths = [2, 25, 43, 10, 2, 10] // for listings
 
// show the table's fields
table.listFields()
System.print()
 
// sort the records by 'id' and show them
var sortFn = Fn.new { |s, t| s[0] < t[0] }
var records = table.sortedRecords(sortFn)
Records.list(table.fields, records, "Records for %(table.name) table:\n", colWidths)
 
// find a record by key
System.print("\nThe record with an id of 2 is:")
System.print(table.find(2))
 
// delete a record by key
table.remove(1)
System.print("\nThe record with an id of 1 will be deleted, leaving:\n")
records = table.sortedRecords(sortFn)
Records.list(table.fields, records, "Records for %(table.name) table:\n", colWidths)</syntaxhighlight>
 
{{out}}
<pre>
Fields for Addresses table:
 
name kind
------- ------
id Num
name String
street String
city String
state String
zipCode String
 
Records for Addresses table:
 
id name street city st zipCode
-- ------------------------- ------------------------------------------- ---------- -- ----------
1 The White House The Oval Office 1600 Pennsylvania Avenue NW Washington DC 20500
2 FSF Inc. 51 Franklin Street Boston MA 02110-1301
3 National Security Council 1700 Pennsylvania Avenue NW Washington DC 20500
 
The record with an id of 2 is:
[2, FSF Inc., 51 Franklin Street, Boston, MA, 02110-1301]
 
The record with an id of 1 will be deleted, leaving:
 
Records for Addresses table:
 
id name street city st zipCode
-- ------------------------- ------------------------------------------- ---------- -- ----------
2 FSF Inc. 51 Franklin Street Boston MA 02110-1301
3 National Security Council 1700 Pennsylvania Avenue NW Washington DC 20500
</pre>
 
=={{header|zkl}}==
{{trans|AWK}}
Interact with SQLite via the command line.
<syntaxhighlight lang="zkl">const NM="address.db";
dbExec(NM,"create table address (street, city, state, zip);");</syntaxhighlight>
<syntaxhighlight lang="zkl">fcn dbExec(db,qry){ dbErrorCheck(dbMakeQuery(db,qry),String(db," : ",qry)) }
fcn dbMakeQuery(db,qry){
qry=dbEscapeQuery(qry) + ";";
cmd:=String("echo \"", qry, "\" | sqlite ", db);
reg r;
p:=System.popen(cmd,"r");
try{ r=p.readln(*) }catch(TheEnd){} // r==Void if sqlite doesn't print
p.close();
r
}
fcn dbEscapeQuery(qry){ qry.replace(0'|"|, 0'|\"|) }
fcn dbErrorCheck(listOfStrings){
if(listOfStrings and listOfStrings[-1].holds("SQL error"))
throw(Exception.IOError(listOfStrings.concat().strip()));
True
}</syntaxhighlight>
9,476

edits