The examples on this page use the following schema:
class Task extends Realm.Object {   static schema = {     name: 'Task',     properties: {       _id: 'int',       name: 'string',       priority: 'int?',       progressMinutes: 'int?',       assignee: 'Person?',     },     primaryKey: '_id',   }; } 
class Task extends Realm.Object<Task> {   _id!: number;   name!: string;   priority?: number;   progressMinutes?: number;   assignee?: Person;   age?: number;   static schema: ObjectSchema = {     name: 'Task',     properties: {       _id: 'int',       name: 'string',       priority: 'int?',       progressMinutes: 'int',       assignee: 'Person?',     },     primaryKey: '_id',   }; } 
Update an Object
You can add, modify, or delete properties of a Realm object in the same way that you would update any other JavaScript object. But, you must do it inside of a write transaction.
In the following example of a TaskItem component, we:
- Get access to the opened realm instance by calling the - useRealm()hook within the component.
- Retrieve a task by calling - useObject()with "Task" and the- _idparameter of the component.
- Create a component method - incrementTaskProgress()that performs a write transaction and increments the task's- progressMinutes.
- Render the task's - nameand- progressMinutesin the UI.
- Add an onPress event on the "increment" button that calls - incrementTaskProgress().
const TaskItem = ({_id}) => {   const realm = useRealm();   const myTask = useObject(Task, _id);   const incrementTaskProgress = () => {     if (myTask) {       realm.write(() => {         myTask.progressMinutes += 1;       });     }   };   if (myTask) {     return (       <>         <Text>Task: {myTask.name}</Text>         <Text>Progress made (in minutes):</Text>         <Text>{myTask.progressMinutes}</Text>         <Button           onPress={() => incrementTaskProgress()}           title='Increment Task Progress'         />       </>     );   } else {     return <></>;   } }; 
const TaskItem = ({_id}: {_id: number}) => {   const realm = useRealm();   const myTask = useObject(Task, _id);   const incrementTaskProgress = () => {     if (myTask) {       realm.write(() => {         myTask.progressMinutes! += 1;       });     }   };   if (myTask) {     return (       <>         <Text>Task: {myTask.name}</Text>         <Text>Progress made (in minutes):</Text>         <Text>{myTask.progressMinutes}</Text>         <Button           onPress={() => incrementTaskProgress()}           title='Increment Task Progress'         />       </>     );   } else {     return <></>;   } }; 
Tip
Update Related and Embedded Objects
To update a property of an embedded object or a related object, modify the property with dot-notation or bracket-notation as if it were in a regular, nested object.
Upsert an Object
To upsert an object within a write transaction, call Realm.create() with the update mode set to modified. The operation
either inserts a new object with the given primary key or updates an existing
object that already has that primary key.
Note
Upserting Requires Realm.create()
You must call Realm.create() within a write transaction to upsert an object.
This is different than creating a new Realm Objects by
calling the new operator.
In the following example of a CreateTaskItem component we:
- Get access to the opened realm instance by calling the - useRealm()hook within the component.
- Perform a write transaction, and create a - Taskobject with an- _idvalue of- 1234.
- Call - Realm.create()inside the write transaction to upsert a- Taskobject by specifying the same- _idand a different``progressMinutes`` and the update mode set to "modified".
- Render the task's - nameand- progressMinutesin the UI, showing the modified progress.
const CreateTaskItem = () => {   const realm = useRealm();   let myTask;   realm.write(() => {     // Add a new Task to the realm. Since no task with ID 1234     // has been added yet, this adds the instance to the realm.     myTask = realm.create(       'Task',       {_id: 1234, name: 'Wash the car', progressMinutes: 0},       'modified',     );     // If an object exists, setting the third parameter (`updateMode`) to     // "modified" only updates properties that have changed, resulting in     // faster operations.     myTask = realm.create(       'Task',       {_id: 1234, name: 'Wash the car', progressMinutes: 5},       'modified',     );   });   return (     <>       <Text>{myTask.name}</Text>       <Text>Progress made (in minutes):</Text>       <Text>{myTask.progressMinutes}</Text>     </>   ); }; 
const CreateTaskItem = () => {   const realm = useRealm();   const myTask: Realm.Object = realm.write(() => {     // Add a new Task to the realm. Since no Task with ID 1234     // has been added yet, this adds the instance to the realm.     realm.create(       'Task',       {_id: 1234, name: 'Wash the car', progressMinutes: 0},       'modified',     );     // If an object exists, setting the third parameter (`updateMode`) to     // "modified" only updates properties that have changed, resulting in     // faster operations.     return realm.create(       'Task',       {_id: 1234, name: 'Wash the car', progressMinutes: 5},       'modified',     );   });   return (     <>       <Text>{myTask.name}</Text>       <Text>Progress made (in minutes):</Text>       <Text>{myTask.progressMinutes}</Text>     </>   ); }; 
Bulk Update a Collection
To apply an update to a collection of objects, iterate through the collection (e.g. with for...of). In the loop, update each object individually.
In the following example of a TaskDashboard component, we:
- Get access to the opened realm instance by calling the - useRealm()hook within the component.
- Retrieve all tasks in the realm instance by passing - Taskto the- useQuery()hook.
- Create a component method - resetProgressOnAllTasks()that performs a write transaction. Within that write transaction, we bulk update all tasks by looping through them using- for...ofand set their- progressMinutesto 0.
- Map through the tasks to render a list of - Textcomponents displaying each task's- nameand- progressMinutes.
const TaskDashboard = () => {   const realm = useRealm();   const tasks = useQuery(Task);   const resetProgressOnAllTasks = () => {     realm.write(() => {       for (const task of tasks) {         task.progressMinutes = 0;       }     });   };   return (     <>       {tasks.map(task => {         <Text>           {task.name} has {task.progressMinutes} minutes progressed         </Text>;       })}       <Button         onPress={resetProgressOnAllTasks}         title='Reset Progress'       />     </>   ); };