(found on the following website https://javascript.info/indexeddb#object-store) This JavaScript function uses indexeddb to add a book, with data, to a list. The functions allow the user to also delete all the data in the list as well as display the data.
<!doctype html>
<script src="https://cdn.jsdelivr.net/npm/idb@3.0.2/build/idb.min.js"></script>
<button onclick="addBook()">Add a book</button>
<button onclick="clearBooks()">Clear books</button>
<p>Books list:</p>
<ul id="listElem"></ul>
<script>
let db;
init();
async function init() {
db = await idb.openDb('booksDb', 1, db => {
db.createObjectStore('books', {keyPath: 'name'});
});
list();
}
async function list() {
let tx = db.transaction('books');
let bookStore = tx.objectStore('books');
let books = await bookStore.getAll();
if (books.length) {
listElem.innerHTML = books.map(book => `<li>
name: ${book.name}, price: ${book.price}
</li>`).join('');
} else {
listElem.innerHTML = '<li>No books yet. Please add books.</li>'
}
}
async function clearBooks() {
let tx = db.transaction('books', 'readwrite');
await tx.objectStore('books').clear();
await list();
}
async function addBook() {
let name = prompt("Book name?");
let price = +prompt("Book price?");
let tx = db.transaction('books', 'readwrite');
try {
await tx.objectStore('books').add({name, price});
await list();
} catch(err) {
if (err.name == 'ConstraintError') {
alert("Such book exists already");
await addBook();
} else {
throw err;
}
}
}
window.addEventListener('unhandledrejection', event => {
alert("Error: " + event.reason.message);
});
</script>
From this script, How would I be able to modify it such that it only removes the last element added to the list? Example if the list was
name: Star wars, price: 20
name: LOTR, price: 30
name: Harry Potter, price: 15
The last entry, Harry Potter, would be deleted?
This was my attempt using removeChild()
, however this implementation removes all the data
$('#lastUser').on('click', function() {
var user = $('#search').val();
async function clearlastUser() {
let tx = db.transaction('books', 'readwrite');
await tx.objectStore('books').parentNode.removeChild(user);
await list();
}
});