Page updated Jan 16, 2024

Manipulating data

Getting started

To get started, first import the DataStore API:

1import { DataStore } from 'aws-amplify/datastore';

Create and update

To write data to the DataStore, pass an instance of a model to Amplify.DataStore.save():

1await DataStore.save(
2 new Post({
3 title: 'My First Post',
4 rating: 10,
5 status: PostStatus.INACTIVE
6 })
7);

Omitted or undefined optional fields are converted to null upon instantiation.

The save method creates a new record, or in the event that one already exists in the local store, it updates the record.

1async function updatePost(id, newTitle) {
2 const original = await DataStore.query(Post, id);
3
4 if (original) {
5 const updatedPost = await DataStore.save(
6 Post.copyOf(original, updated => {
7 updated.title = newTitle
8 })
9 );
10 }
11}
1async function updatePost(id, newTitle) {
2 const original = await DataStore.query(Post, id);
3
4 const updatedPost = await DataStore.save(
5 Post.copyOf(original, updated => {
6 updated.title = newTitle
7 })
8 );
9}

Models in DataStore are immutable. To update a record you must use the copyOf function to apply updates to the item's fields rather than mutating the instance directly.

Avoid working with stale data!

Model instances which store values, such as those from the results of a DataStore.Query operation, can become stale and outdated when their properties are updated. This can be the result of a manual change or even a side effect of real time data being received by the application. In order to ensure you are performing mutations on the latest committed state to the system, either perform a query directly before the DataStore.save() operation or observe the model to keep the state updated at all times and perform mutations on that latest state referencing the model instance. The preceding example demonstrates one approach. The following example demonstrates the observeQuery approach.

1// Example showing how to observe the model and keep state updated before
2// performing a save. This uses the useEffect React hook, but you can
3// substitute for a similar mechanism in your application lifecycle with
4// other frameworks.
5
6function App() {
7 const [post, setPost] = useState();
8
9 useEffect(() => {
10 /**
11 * This keeps `post` fresh.
12 */
13 const sub = DataStore.observeQuery(Post, (c) =>
14 c.id.eq('e4dd1dc5-e85c-4566-8aaa-54a801396456')
15 ).subscribe(({ items }) => {
16 setPost(items[0]);
17 });
18
19 return () => {
20 sub.unsubscribe();
21 };
22 }, []);
23
24 /**
25 * Create a new Post
26 */
27 async function onCreate() {
28 const post = await DataStore.save(
29 new Post({
30 title: `New title ${Date.now()}`,
31 rating: Math.floor(Math.random() * (8 - 1) + 1),
32 status: PostStatus.ACTIVE
33 })
34 );
35 setPost(post);
36 }
37
38 return (
39 <>
40 <h1>{post?.title}</h1>
41 <input type="button" value="NEW POST" onClick={onCreate} />
42 <input
43 disabled={!post}
44 type="text"
45 value={post?.title ?? ''}
46 onChange={({ target: { value } }) => {
47 /**
48 * Each keypress updates the post in local React state.
49 */
50 setPost(
51 Post.copyOf(post, (draft) => {
52 draft.title = value;
53 })
54 );
55 }}
56 />
57 <input
58 disabled={!post}
59 type="button"
60 value="Save"
61 onClick={async () => {
62 /**
63 * This post is already up-to-date because `observeQuery` updated it.
64 */
65 if (!post) return;
66 await DataStore.save(post);
67 console.log('Post saved');
68 }}
69 />
70 </>
71 );
72}

Delete

To delete an item, simply pass in an instance.

1const toDelete = await DataStore.query(Post, '1234567');
2if (toDelete) {
3 DataStore.delete(toDelete);
4}
1const toDelete = await DataStore.query(Post, '1234567');
2DataStore.delete(toDelete);

You can also pass predicate operators to delete multiple items. For example, the following will delete all draft posts:

1await DataStore.delete(Post, (post) => post.status.eq(PostStatus.INACTIVE));

Additionally, you can perform a conditional delete. For instance, only delete if a post is in draft status by passing in an instance of a model:

1const toDelete = await DataStore.query(Post, '123');
2if (toDelete) {
3 DataStore.delete(toDelete, (post) => post.status.eq(PostStatus.INACTIVE));
4}
1const todelete = await DataStore.query(Post, '123');
2DataStore.delete(todelete, (post) => post.status.eq(PostStatus.INACTIVE));

Also, to delete all items for a model you can use Predicates.ALL:

1await DataStore.delete(Post, Predicates.ALL);

Query Data

Queries are performed against the local store. When cloud synchronization is enabled, the local store is updated in the background by the DataStore Sync Engine.

For more advanced filtering, such as matching arbitrary field values on an object, you can supply a query predicate.

Querying for all items

To query for all items, pass in the model name as the argument.

1const posts = await DataStore.query(Post);

Querying for a single item

To query for a single item, pass in the ID of the item as the second argument to the query.

1const post = await DataStore.query(Post, "1234567");

Predicates

Predicates are filters that can be used to match items in the DataStore. When applied to a query(), they constrain the returned results. When applied to a save(), they act as a pre-requisite for updating the data. You can match against fields in your schema by using the following predicates:

Strings: eq | ne | le | lt | ge | gt | contains | notContains | beginsWith | between

Numbers: eq | ne | le | lt | ge | gt | between

Lists: contains | notContains

For example if you wanted a list of all Post Models that have a rating greater than 4:

1const posts = await DataStore.query(Post, (c) => c.rating.gt(4));

Multiple conditions can also be used, like the ones defined in GraphQL Transform condition statements. For example, fetch all posts that have a rating greater than 4 and are ACTIVE:

When using multiple conditions, you can wrap the predicates with the and operator. For example with multiple conditions:

1const posts = await DataStore.query(Post, (c) => c.and(c => [
2 c.rating.gt(4),
3 c.status.eq(PostStatus.ACTIVE)
4]));

Alternatively, the or logical operator can also be used:

If you wanted this to be an or statement you would wrap your combined predicates with c => c.or(...)

1const posts = await DataStore.query(Post, (c) =>
2 c.or(c => [
3 c.rating.gt(4),
4 c.status.eq(PostStatus.ACTIVE)
5 ]));

Sort

Query results can also be sorted by one or more fields.

For example, to sort all Post objects by rating in ascending order:

1const posts = await DataStore.query(Post, Predicates.ALL, {
2 sort: (s) => s.rating(SortDirection.ASCENDING)
3});

To get all Post objects sorted first by rating in ascending order, and then by title in descending order:

1const posts = await DataStore.query(Post, Predicates.ALL, {
2 sort: (s) => s.rating(SortDirection.ASCENDING).title(SortDirection.DESCENDING)
3});

Pagination

Query results can also be paginated by passing in a page number (starting at 0) and an optional limit (defaults to 100). This will return a list of the first 100 items:

1const posts = await DataStore.query(Post, Predicates.ALL, {
2 page: 0,
3 limit: 100
4});

Query, then observe changes

To both query and observe subsequent changes to a Model, consider using observeQuery.