Use database with html

HTML5 Web SQL Databases

The HTML5 specification is not a part of the Web SQL Database API but is separate specification that introduces a set of APIs manipulating the client-side databases by using SQL.

Core Methods

There are three core methods that are defined in SQL. They are as follows:

1. openDatabase – This method helps in creating a database object which is either used for the existing database or creating a new one.

2. transaction – It is a method which gives an ability for controlling a transaction and performing either the commit or the roll back operation.

3. executeSql – It is used for executing the actual SQL query.

Opening a Database

The openDatabase method will open the database.

Syntax:
var db = openDatabase (‘mydb’, ‘1.0’, ‘Test DB’, 2*1024*1024);

Where,
mydb — Database name
1.0 — Version number
Test DB — Text description
2*1024*1024 — Size of database
Creation callback – called if the database is created. Even if this feature is not available the database will be still created.

Executing the queries

The database.transaction() function is used for executing the query. A single argument is required by this function.

Example : To create a table Employee in the database

var db = openDatabase (‘mydb’, ‘1.0’, ‘Test DB’, 2*1024*1024);
db.transaction(function (tx)
tx.executeSql(‘ CREATE TABLE IF NOT EXISTS EMPLOYEE (id unique, name)’);
>);

INSERT Operation

var db = openDatabase (‘mydb’, ‘1.0’, ‘Test DB’, 2*1024*1024);
db.transaction(function (tx)
tx.executeSql (‘CREATE TABLE IF NOT EXIXTS EMPLOYEE (id unique, name)’);
tx.executeSql (‘INSERT INTO EMPLOYEE (id, name) VALUES (1, “Rahul”)’);
tx.executeSql (‘INSERT INTO EMPLOYEE (id, name) VALUES (2, “Prajakta”)’);
tx.executeSql (‘INSERT INTO EMPLOYEE (id, name) VALUES (1, “Sakshi”)’);
>);

var db = openDatabase (‘mydb’, ‘1.0’, ‘Test DB’, 2*1024*1024);
db.transaction(function (tx)
tx.executeSql (‘CREATE TABLE IF NOT EXIXTS EMPLOYEE (id unique, name)’);
tx.executeSql (‘INSERT INTO EMPLOYEE (id, name) VALUES (?,’?’), [e_id, e_log];
>);

In the above example, e_id and e_log are the external variables. The executeSql will map each item in the array argument to the “?”.

READ Operation

Example : Demonstrating a READ Operation

var db = openDatabase (‘mydb’, ‘1.0’, ‘Test DB’, 2*1024*1024);
db.transaction(function (tx)
tx.executeSql(‘ CREATE TABLE IF NOT EXIXTS EMPLOYEE (id unique, name)’);
tx.executeSql (‘INSERT INTO EMPLOYEE (id, name) VALUES (1, “Rahul”)’);
tx.executeSql (‘INSERT INTO EMPLOYEE (id, name) VALUES (2, “Prajakta”)’);
tx.executeSql (‘INSERT INTO EMPLOYEE (id, name) VALUES (1, “Sakshi”)’);
>);
db.transaction(function (tx)
<
tx.executeSql(‘SELECT * FROM EMPLOYEE’, [], function (tx, results)
<
var len = results.rows.length, i;
msg + len + «

«;
document.querySelector(‘#status’).innerHTML += msg;
for (i = 0; i < len; i++)
<
alert(results.rows.item(i).log );
>
>, null);
>);

Example : Demonstrating a complete program on HTML5 WEB SQL





Status Message


Источник

HTML 5. Работа с Web SQL базой данных

В HTML 5 есть много новых возможностей, которые позволяют web разработчикам создавать более мощные и насыщенные приложения. К этим возможностям относятся и новые способы хранения данных на клиенте, такие как web storage(поддерживается в IE8) и web SQL database.

При этом если web storage ориентирован на хранение пар ключ-значение, то в случае с web SQL database у нас есть полноценный sqlite(во всех текущих реализациях применяется именно этот движок баз данных, что является проблемой при стандартизации).

Далее я расскажу, как работать с web SQL database. При этом примеры естественно будут на JavaScript. Кроме того, стоит отметить, что с поддержкой браузерами всего этого хозяйства дела обстоят, не очень хорошо, но всё постепенно меняется к лучшему и, скажем, в Opera 10.50 поддержка будет, а браузерах на движке WebKit она уже есть. Более подробно про то, какой браузер, что поддерживает можно узнать, пройдя по ссылке.

Соединение с базой данных.

Подсоединиться к базе данных очень просто:

db = openDatabase(«ToDo», «0.1», «A list of to do items.», 200000);

Данный код создаёт объект, представляющий БД, а если базы данных с таким именем не существует, то создаётся и она. При этом в аргументах указывается имя базы данных, версия, отображаемое имя и приблизительный размер. Кроме того важно отметить, что приблизительный размер не является ограничением. Реальный размер базы данных может изменяться.

Успешность подключения к БД можно оценить, проверив объект db на null:

Всегда предпринимайте данную проверку, даже если соединение с БД для данного пользователя уже производилось в прошлом, и было успешно. Могут измениться настройки безопасности, закончиться дисковое пространство (скажем, если пользователь использует смартфон) или фаза луны окажется неподходящей.

Выполнение запросов.

Для выполнения запросов к БД предварительно надо создать транзакцию, вызвав функцию database.transaction(). У неё один аргумент, а именно другая JavaScript функция, принимающая объект транзакции и предпринимающая запросы к базе данных.

  • строка SQL запроса
  • массив параметров запроса (параметры подставляются на место вопросительных знаков в SQL запросе)
  • функция, вызываемая при успешном выполнении запроса
  • функция, вызываемая в случае возникновения ошибки выполнения запроса

db.transaction(function(tx) tx.executeSql(«SELECT COUNT(*) FROM ToDo», [], function(result)<>, function(tx, error)<>);
>);

Давайте теперь изменим код так, чтобы при невозможности выборки из таблицы «ToDo»(которой пока не существует), данная таблица создавалась.

db.transaction(function(tx) tx.executeSql(«SELECT COUNT(*) FROM ToDo», [], function (result) < alert('dsfsdf') >, function (tx, error) tx.executeSql(«CREATE TABLE ToDo (id REAL UNIQUE, label TEXT, timestamp REAL)», [], null, null);
>)>);

Вставка данных.

Давайте вставим новую строку в таблицу «ToDo». Для знакомых с синтаксисом SQL пример, приведённый ниже, покажется очень знакомым:

db.transaction(function(tx) tx.executeSql(«INSERT INTO ToDo (label, timestamp) values(?, ?)», [«Купить iPad или HP Slate», new Date().getTime()], null, null);
>);

Первый знак вопроса в SQL запросе заменяется на «Купить iPad или HP Slate», а второй на метку времени. В итоге выполнен будет примерно такой запрос:
INSERT INTO ToDo (label, timestamp) values («Купить iPad или HP Slate», 1265925077487)

Работа с результатами запросов.

Результат выполнения запроса на выборку данных содержит набор строк, а каждая строка содержит значения столбцов таблицы для данной строки.

Вы можете получить доступ к какой-либо строке результата вызвав функцию result.rows.item(i), где i – индекс строки. Далее, для получения требуемого значения, нужно обратиться к конкретному столбцу по имени – result.rows.item(i)[ «label»].

Следующий пример выводит результат запроса к базе данных на страницу:

db.transaction(function(tx) tx.executeSql(«SELECT * FROM ToDo», [], function(tx, result) for(var i = 0; i < result.rows.length; i++) document.write('‘ + result.rows.item(i)[‘label’] + ‘
‘);
>>, null)>);

Заключение.

Использование web SQL database предоставляет мощные возможности, но не стоит увлекаться. Если задачу можно решить с помощью web storage, лучше использовать его.

Вы можете найти дополнительную информацию по данной теме в соответствующем разделе сайта консорциуме w3c.
Также для web SQL database уже начали разрабатывать ORM библиотеки. Пример такой библиотеки тут.

Источник

HTML5 — Web SQL Database

The Web SQL Database API isn’t actually part of the HTML5 specification but it is a separate specification which introduces a set of APIs to manipulate client-side databases using SQL.

I’m assuming you are a great web developer and if that is the case then no doubt, you would be well aware of SQL and RDBMS concepts. If you still want to have a session with SQL then, you can go through our SQL Tutorial.

Web SQL Database will work in latest version of Safari, Chrome and Opera.

The Core Methods

There are following three core methods defined in the spec that I am going to cover in this tutorial −

  • openDatabase − This method creates the database object either using existing database or creating new one.
  • transaction − This method gives us the ability to control a transaction and performing either commit or rollback based on the situation.
  • executeSql − This method is used to execute actual SQL query.

Opening Database

The openDatabase method takes care of opening a database if it already exists, this method will create it if it already does not exist.

To create and open a database, use the following code −

var db = openDatabase('mydb', '1.0', 'Test DB', 2 * 1024 * 1024);

The above method took the following five parameters −

  • Database name
  • Version number
  • Text description
  • Size of database
  • Creation callback

The last and 5th argument, creation callback will be called if the database is being created. Without this feature, however, the databases are still being created on the fly and correctly versioned.

Executing queries

To execute a query you use the database.transaction() function. This function needs a single argument, which is a function that takes care of actually executing the query as follows −

var db = openDatabase('mydb', '1.0', 'Test DB', 2 * 1024 * 1024); db.transaction(function (tx) < tx.executeSql('CREATE TABLE IF NOT EXISTS LOGS (id unique, log)'); >);

The above query will create a table called LOGS in ‘mydb’ database.

INSERT Operation

To create enteries into the table we add simple SQL query in the above example as follows −

var db = openDatabase('mydb', '1.0', 'Test DB', 2 * 1024 * 1024); db.transaction(function (tx) < tx.executeSql('CREATE TABLE IF NOT EXISTS LOGS (id unique, log)'); tx.executeSql('INSERT INTO LOGS (id, log) VALUES (1, "foobar")'); tx.executeSql('INSERT INTO LOGS (id, log) VALUES (2, "logmsg")'); >);

We can pass dynamic values while creating entering as follows −

var db = openDatabase('mydb', '1.0', 'Test DB', 2 * 1024 * 1024); db.transaction(function (tx) < tx.executeSql('CREATE TABLE IF NOT EXISTS LOGS (id unique, log)'); tx.executeSql('INSERT INTO LOGS (id,log) VALUES (?, ?'), [e_id, e_log]; >);

Here e_id and e_log are external variables, and executeSql maps each item in the array argument to the «?»s.

READ Operation

To read already existing records we use a callback to capture the results as follows −

var db = openDatabase('mydb', '1.0', 'Test DB', 2 * 1024 * 1024); db.transaction(function (tx) < tx.executeSql('CREATE TABLE IF NOT EXISTS LOGS (id unique, log)'); tx.executeSql('INSERT INTO LOGS (id, log) VALUES (1, "foobar")'); tx.executeSql('INSERT INTO LOGS (id, log) VALUES (2, "logmsg")'); >); db.transaction(function (tx) < tx.executeSql('SELECT * FROM LOGS', [], function (tx, results) < var len = results.rows.length, i; msg = "

Found rows: " + len + "

"; document.querySelector('#status').innerHTML += msg; for (i = 0; i < len; i++) < alert(results.rows.item(i).log ); >>, null); >);

Final Example

So finally, let us keep this example in a full-fledged HTML5 document as follows and try to run it with Safari browser.

      
Status Message

This will produce the following result −

Источник

Читайте также:  Мы из россии css
Оцените статью