Update single value in item array | react redux Update single value in item array | react redux reactjs reactjs

Update single value in item array | react redux


You need to transform your todos array to have the appropriate item updated. Array.map is the simplest way to do this:

case "COMPLETE_TASK":    return {        ...state,        todos: state.todos.map(todo => todo.id === action.id ?            // transform the one with a matching id            { ...todo, completed: action.completed } :             // otherwise return original todo            todo        )     };

There are libraries to help you with this kind of deep state update. You can find a list of such libraries here: https://github.com/markerikson/redux-ecosystem-links/blob/master/immutable-data.md#immutable-update-utilities

Personally, I use ImmutableJS (https://facebook.github.io/immutable-js/) which solves the issue with its updateIn and setIn methods (which are more efficient than normal objects and arrays for large objects with lots of keys and for arrays, but slower for small ones).


New state does no longer have the text associated of that todo item on the selected item and the ID is no longer there, Is this because I am overwriting the state and ignoring the previous properties?

Yes, because during each update you are assigning a new array with only one key completed, and that array doesn't contain any previous values. So after update array will have no previous data. That's why text and id's are not there after update.

Solutions:

1- Use array.map to find the correct element then update the value, Like this:

case "COMPLETE_TASK":    return {        ...state,        todos: state.todos.map(todo =>             todo.id === action.id ? { ...todo, completed: action.completed } : todo        )     };

2- Use array.findIndex to find the index of that particular object then update that, Like this:

case "COMPLETE_TASK":    let index = state.todos.findIndex(todo => todo.id === action.id);    let todos = [...state.todos];    todos[index] = {...todos[index], completed: action.completed};    return {...state, todos}

Check this snippet you will get a better idea about the mistake you are doing:

let state = {  a: 1,  arr: [    {text:1, id:1, completed: true},    {text:2, id:2, completed: false}  ]}console.log('old values', JSON.stringify(state));// updating the valueslet newState = {   ...state,   arr: [{completed: true}]}console.log('new state = ', newState);