Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Feature/use async storage #22

Merged
merged 11 commits into from
Feb 27, 2019
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
21 changes: 20 additions & 1 deletion README.md
Original file line number Diff line number Diff line change
Expand Up @@ -38,7 +38,7 @@ storeData = async () => {

```

### Read data
### Read data
```jsx

getData = async () => {
Expand All @@ -54,6 +54,25 @@ getData = async () => {

```

### useAsyncStorage hook

React hooks (introduced in 16.8) allow you to use state and async requests without writing a class. For more info on hooks and how to use them, see [hooks documentation](https://reactjs.org/docs/hooks-intro.html) or the [hooks example](docs/Hooks.md) in this repo.

`useAsyncStorage` has no hard-coded dependencies in react hooks, it is just a convenience wrapper around `AsyncStorage`.

```js
import { useAsyncStorage } from '@react-native-community/async-storage';
```

```jsx
const {
getItem,
setItem,
mergeItem,
removeItem
} = useAsyncStorage('@storage_key');
```

See docs for [api and more examples.](docs/API.md)

## License
Expand Down
2 changes: 1 addition & 1 deletion babel.config.js
Original file line number Diff line number Diff line change
Expand Up @@ -5,7 +5,7 @@ module.exports = {
'module-resolver',
{
alias: {
'@react-native-community/async-storage': './lib/AsyncStorage',
'@react-native-community/async-storage': './lib/index',
},
cwd: 'babelrc',
},
Expand Down
126 changes: 106 additions & 20 deletions docs/API.md
Original file line number Diff line number Diff line change
Expand Up @@ -13,6 +13,7 @@
- [multiRemove](#multiRemove)
- [clear](#clear)
- [flushGetRequests](#flushGetRequests)
- [useAsyncStorage](#useAsyncStorage)

<br />

Expand All @@ -28,7 +29,7 @@ Fetches a data for a given `key`, invokes (optional) callback once completed.
static getItem(key: string, [callback]: ?(error: ?Error, result: ?string) => void): Promise
```

**Returns**:
**Returns**:

`Promise` with data, if exists, `null` otherwise.

Expand All @@ -44,7 +45,7 @@ getMyValue = async () => {
}

console.log('Done'.)

}
```

Expand Down Expand Up @@ -78,7 +79,7 @@ setValue = async () => {
} catch(e) {
// save error
}

console.log('Done.')
}
```
Expand Down Expand Up @@ -181,7 +182,7 @@ removeValue = async () => {
} catch(e) {
// remove error
}

console.log('Done.')
}
```
Expand Down Expand Up @@ -260,7 +261,7 @@ getMultiple = async () => {
// read error
}
console.log(values)

// example console.log output:
// [ ['@MyApp_user', 'myUserValue'], ['@MyApp_key', 'myKeyValue'] ]
}
Expand Down Expand Up @@ -299,7 +300,7 @@ multiSet = async () => {
} catch(e) {
//save error
}

console.log("Done.")
}

Expand Down Expand Up @@ -372,31 +373,31 @@ mergeMultiple = async () => {
} catch(e) {
// error
}

console.log(currentlyMerged)
// console.log output:
// [
// [
// [
// [
// 'USER_1',
// {
// {
// name:"Tom",
// age:30,
// traits: {
// hair: 'brown'
// traits: {
// hair: 'brown'
// eyes: 'blue'
// }
// }
// ],
// [
// [
// 'USER_2',
// {
// {
// name:'Sarah',
// age:26,
// traits: {
// hair: 'green'
// hair: 'green'
// }
// }
// ]
// ]
// ]
}

Expand Down Expand Up @@ -432,10 +433,10 @@ removeFew = async () => {
} catch(e) {
// remove error
}

console.log('Done')
}

```


Expand Down Expand Up @@ -467,7 +468,7 @@ clearAll = async () => {
} catch(e) {
// clear error
}

console.log('Done.')
}

Expand All @@ -493,4 +494,89 @@ static flushGetRequests(): void

**Returns**:

`undefined`
`undefined`


<!-- ------------------------ HOOKS ------------------------ -->


## `useAsyncStorage`

Uses the new [hooks api](https://reactjs.org/docs/hooks-intro.html) to give you convenience functions so you can get, set, merge and delete a value for a given key from Async Storage.

The `useAsyncStorage` returns an object that exposes all methods that allow you to interact with the stored value.

**Signature**:

```js
static useAsyncStorage(key: string): {
getItem: (
callback?: ?(error: ?Error, result: string | null) => void,
) => Promise<string | null>,
setItem: (
value: string,
callback?: ?(error: ?Error) => void,
) => Promise<null>,
mergeItem: (
value: string,
callback?: ?(error: ?Error) => void,
) => Promise<null>,
removeItem: (callback?: ?(error: ?Error) => void) => Promise<null>,
}
```

**Returns**:

`object`

**Specific Example**:

You can replace your `App.js` with the following to see it in action.

```jsx
import React, { useState, useEffect } from 'react';
import { View, Text, TouchableOpacity } from 'react-native';
import { useAsyncStorage } from '@react-native-community/async-storage';

export default function App() {
const [value, setValue] = useState('value');
const { getItem, setItem } = useAsyncStorage('@storage_key');

const readItemFromStorage = async () => {
const item = await getItem();
setValue(item);
};

const writeItemToStorage = async newValue => {
await setItem(newValue);
setValue(newValue);
};

useEffect(() => {
readItemFromStorage();
}, []);

return (
<View style={{ margin: 40 }}>
<Text>Current value: {value}</Text>
<TouchableOpacity
onPress={() =>
writeItemToStorage(
Math.random()
.toString(36)
.substr(2, 5)
)
}
>
<Text>Update value</Text>
</TouchableOpacity>
</View>
);
}
```

In this example:

1. On mount, we read the value at `@storage_key` and save it to the state under `value`
2. When pressing on "update value", a new string gets generated, saved to async storage, and to the component state
3. Try to reload your app - you'll see that the last value is still being read from async storage
2 changes: 1 addition & 1 deletion lib/AsyncStorage.js
Original file line number Diff line number Diff line change
Expand Up @@ -367,4 +367,4 @@ function convertError(error): ?Error {
return out;
}

module.exports = AsyncStorage;
export default AsyncStorage;
25 changes: 25 additions & 0 deletions lib/hooks.js
Original file line number Diff line number Diff line change
@@ -0,0 +1,25 @@
import AsyncStorage from './AsyncStorage';

type AsyncStorageHook = {
getItem: (
callback?: ?(error: ?Error, result: string | null) => void,
) => Promise<string | null>,
setItem: (
value: string,
callback?: ?(error: ?Error) => void,
) => Promise<null>,
mergeItem: (
value: string,
callback?: ?(error: ?Error) => void,
) => Promise<null>,
removeItem: (callback?: ?(error: ?Error) => void) => Promise<null>,
};

export function useAsyncStorage(key: string): AsyncStorageHook {
return {
getItem: (...args) => AsyncStorage.getItem(key, ...args),
setItem: (...args) => AsyncStorage.setItem(key, ...args),
mergeItem: (...args) => AsyncStorage.mergeItem(key, ...args),
removeItem: (...args) => AsyncStorage.removeItem(key, ...args),
};
}
2 changes: 2 additions & 0 deletions lib/index.js
Original file line number Diff line number Diff line change
@@ -0,0 +1,2 @@
export default from './AsyncStorage';
export { useAsyncStorage } from './hooks';
2 changes: 1 addition & 1 deletion package.json
Original file line number Diff line number Diff line change
Expand Up @@ -2,7 +2,7 @@
"name": "@react-native-community/async-storage",
"version": "1.0.1",
"description": "Asynchronous, persistent, key-value storage system for React Native.",
"main": "lib/AsyncStorage.js",
"main": "lib/index.js",
"author": "Krzysztof Borowy <[email protected]>",
"contributors": [],
"homepage": "https://github.com/react-native-community/react-native-async-storage#readme",
Expand Down