
Security News
Attackers Are Hunting High-Impact Node.js Maintainers in a Coordinated Social Engineering Campaign
Multiple high-impact npm maintainers confirm they have been targeted in the same social engineering campaign that compromised Axios.
react-parse
Advanced tools
react components with redux and saga ready to use for easy and fast fetch data from and parse server
React Parse include 3 data provider components, to make the life even easier and let you get a collection from the server in less than 1 minute with the ability to filter result, create a new document and more...
Install with NPM:
npm i react-parse --save
Set react-parse inside your root component:
import { config as reactParseConfig, setReactParseDispatch } from 'react-parse'
const apiConfig = { baseURL: envConfig.SERVER_URL, appId: envConfig.PARSE_ID }
reactParseConfig.init(apiConfig);
setReactParseDispatch(store.dispatch);
reactParseConfig.setSessionToken('userSessionToken')
reactParseConfig.removeSessionToken()
parseReducer to your your rootReducerimport { parseReducer } from 'react-parse';
const rootReducers = combineReducers({
....,
parse: parseReducer,
});
parseWatcher to your root sagaimport { parseWatcher } from 'react-parse'
function* rootSaga() {
yield all([
...,
call(parseWatcher, 'parseWatcher'),
]);
}
Fetch collection data with data provider component
import {FetchCollection} from 'react-parse'
const TARGET_NAME = 'activeProducts'
class ReactParseExample extends React.Component {
render() {
return (
<FetchCollection
schemaName={'Product'}
targetName={TARGET_NAME}
query={{isActive: true}}
userName='Dan'
render={(props) => <MyTable {...props}/>}
/>
)
}
}
/*
MyTable will get props from FetchCollection, MyTable props will be:
const {schemaName, targetName, userName, fetchProps} = this.props
const {data,error,status,info,isLoading,refresh,deleteDoc,put,post} = fetchProps
*/
Get Products from server by using collections actions and selectors
import { selectors, actions} from 'react-parse';
const TARGET_NAME = 'ProductList'
class ReactParseExample extends React.Component {
componentWillMount() {
actions.collectionActions.fetchData({ targetName: TARGET_NAME , schemaName: 'Product' });
}
render() {
const { products, isLoading} = this.props;
return (<div....);
} }
const mapStateToProps = (state) => {
return {
products: selectors.selectCollectionData(state, TARGET_NAME ),
isLoading: selectors.selectCollectionLoading(state, TARGET_NAME ),
};
}
import actions from react-parse
import { collectionActions, cloudCodeActions, documentActions } from 'react-parse';
inside your component you can call an action like that:
documentActions.fetchData({....})
all the action are wrapped with dispatch then you didn't need to bind a dispatch to call an action.
If you want to use:
You need to use action without our dispatch wrapper. for this, you need the call action with prefix pure_
For example-
// my-saga-file.js
import { put, select } from 'redux-saga/effects';
import { documentActions } from 'react-parse';
export default function* fetchMember() {
yield put(documentActions.pure_fetchData({...}));
}
action payload options
| key | type | info |
|---|---|---|
| schemaName | string | db schemaName |
| targetName | string | target to save the response from server |
| query | object | http://docs.parseplatform.org/rest/guide/#queries |
| limit | number | number of documents to include in each query |
| skip | number | number of documents to skip |
| include | string | pointer to include, example: 'Product,User' |
| keys | string | keys to include, , example: 'firstName,LastName' |
| enableCount | boolean | set true to count objects in the collection |
| autoRefresh | boolean | set to to refresh collection data on one of the document change from one of the document actions from the collectionActions |
| documentId | string | db document id |
| data | object | |
| functionName | string | cloud code function name |
| params | object | cloud code params |
| digToData | string | string that help us find your data, default is 'data.result' |
| logger | object | pass to your Logger relevant info |
| filesIncluded | boolean | set true if your data include files to upload |
| fileValueHandler | function | pass function that will get the new file URL if you didn't want to save it as File object |
| dispatchId | string | optional, you can pass some unique key to help you follow specific query status |
| boomerang | any | You can transfer anything and it will come back to you with data providers callbacks. this is just data that can help you manage your stuff |
| onSuccess | function | onSuccess will be called on query end successfully with this parameter ({type, action, status, res}) *res is the network response |
| onError | function | onError will be called on query end successfully with this parameter ({type, action, status, res}) *res is the network response |
import { actions } from 'react-parse';
// use like that: actions.collectionActions.fetchData(...)
import { collectionActions } from 'react-parse';
// use like that: collectionActions.fetchData(...)
GET collection from server: fetchData({schemaName, targetName, query, limit, skip, include, keys, enableCount, logger, dispatchId, boomerang})
POST document postDoc({schemaName, targetName, data, autoRefresh, logger, filesIncluded, fileValueHandler, dispatchId, boomerang})
PUT document putDoc({schemaName, targetName, objectId, data, autoRefresh, logger, filesIncluded, fileValueHandler, dispatchId, boomerang})
DELETE document deleteDoc({schemaName, targetName, objectId, autoRefresh, logger, dispatchId, boomerang})
Refresh your data refreshCollection({targetName, dispatchId})
Clean collection from your store: cleanData({targetName})
Clean all collections from your store: cleanCollections()
import { documentActions } from 'react-parse';
GET Document from server: fetchData({schemaName, targetName, objectId, include, keys, logger, dispatchId, boomerang})
POST document postDoc({schemaName, targetName, data, logger, filesIncluded, fileValueHandler, dispatchId, boomerang})
PUT document putDoc({schemaName, targetName, objectId, data, logger, filesIncluded, fileValueHandler, dispatchId, boomerang})
DELETE document deleteDoc({schemaName, targetName, objectId, logger, dispatchId, boomerang})
Update local data updateField({targetName, key, value, logger})
Update local data updateFields({targetName, data, logger})
Clean document from your store: cleanData({targetName})
Clean all documents from your store: cleanDocuments()
import { cloudCodeActions } from 'react-parse';
GET Document from server: fetchData({functionName, targetName, params, digToData, logger, dispatchId, boomerang})
Clean cloudCode from your store: cleanData({targetName})
Clean all codes code from your store: cleanCloudsCode()
import {selectors} from 'react-parse'
Data provider components. Seamlessly bring Parse data into your Component with the ability to POST, PUT, DELETE from your component without connecting your component to store or run any action. all is in your props
Data provider component will render you component with all the props you pass to the dataComponent and with fetchProps object.
fetchProps is the default key but you can set your key, just pass fetchPropsKey inside dataProviders < FetchCollection fetchPropsKey='res'
fetchProps include :
With FetchDocument you can get specific document by collection name and objectId
import {FetchDocument} from 'react-parse'
....
<FetchDocument
schemaName='Post'
targetName='LastPost'
objectId='blDxFXA9Wk'
component={MyComponent} // or user render={(props)=> <MyComponent ...props/>}
// optional:
keys='title,body,owner'
include='Owner'
onFetchEnd={({error, status, data, info })=>{}}
onPostEnd={({error, status, data, info, boomerang })=>{}}
onPutEnd={({error, status, data, info, boomerang })=>{}}
onDeleteEnd={({error, status, data, info, boomerang })=>{}}
leaveClean={true} // remove data from store on componentWillUnmount
localFirst={false} // fetch data from server only if we can found your data on local store
localOnly={false} // never fetch data from server, only find in store
autoRefresh={false} // Fetch data after each create/update/delete doc
dataHandler={data => data} // Function to manipulate the data before set to store.
initialValue={{title: 'default title'}}
// Want to pass something to your component, add here
userName='Dan' // MyComponent will get this.props.userName
/>
With FetchCollection you can get list of document by collection name
import {FetchCollection} from 'react-parse'
....
<FetchCollection
schemaName='Post'
targetName='LastPost'
component={MyComponent} // or user render={(props)=> <MyComponent ...props/>}
// optional:
keys=''
include=''
onFetchEnd={({error, status, data, info })=>{}}
onPostEnd={({error, status, data, info, boomerang })=>{}}
onPutEnd={({error, status, data, info, boomerang })=>{}}
onDeleteEnd={({error, status, data, info, boomerang })=>{}}
leaveClean={true} // remove data from store on componentWillUnmount
localFirst={false} // fetch data from server only if we can found your data on local store
localOnly={false} // never fetch data from server, only find in store
autoRefresh={false} // Fetch data after each create/update/delete doc
query={object} // http://docs.parseplatform.org/rest/guide/#queries
order='' // default is '-createdAt', Specify a field to sort by
skip={12} // skip first 12 documents
limit={50} // limit query to 50 documents
enableCount={true} // return the amount of results in db
dataHandler={data => data} // Function to manipulate the data before set to store.
// Want to pass something to your component, add here
userName='Dan' // example
/>
With FetchCloudCode you can get list of document by collection name
import {FetchCloudCode} from 'react-parse'
....
<FetchCloudCode
functionName='GetPosts'
params={object} // cloud code params
targetName='GetPostsCloud'
component={MyComponent} // or user render={(props)=> <MyComponent ...props/>}
// optional:
onFetchEnd={({error, status, data, info, boomerang })=>{}}
leaveClean={true} // remove data from store on componentWillUnmount
localFirst={false} // fetch data from server only if we can found your data on local store
localOnly={false} // never fetch data from server, only find in store
dataHandler={data => data} // Function to manipulate the data before set to store.
// Want to pass something to your component, add here
userName='Dan' // example
/>
View to Your redux store: we use immutable-js and reselect
parse:{
collections: {
myProducts: {
status: 'FETCH_FINISHED',
error: null,
loading: false,
data: [....],
info: {
schemaName : '',
query: {...},
skip: 0,
enableCount: false,
keys,
include,
order,
limit,
count,
timestamp
}
}
},
documents: {...},
cloudCodes: {...}
}
import {constants} from 'react-parse'
// FETCH
'FETCH_START','FETCH_FAILED','FETCH_FAILED_NETWORK','FETCH_FINISHED'
// POST
'POST_START','POST_FAILED','POST_FAILED_NETWORK','POST_FINISHED'
// DELETE
'DELETE_START','DELETE_FAILED','DELETE_FAILED_NETWORK','DELETE_FINISHED'
// PUT
'PUT_START','PUT_FAILED','PUT_FAILED_NETWORK','PUT_FINISHED'
First set the callbacks with setLoggerHandlers in each query your call back will run with => (type, action, status)
import {setLoggerHandlers} from 'react-parse'
setLoggerHandlers({
onSuccess: (type, action, status) => {
console.log('Send notification or something else:', type, action, status)
},
onError: (type, action, status) => {
console.log('Send notification or something else:', type, action, status)
}
})
need a global loader?
import {ShowLoader} from 'react-parse'
class MyComponent extends React.Component {
.....
render() {
return (
<ShowLoader render={(isLoading) => {
isLoading ? <YourLoader /> : null
}}/>
)
Need to clean the state ?
import {setClearStateActionType} from 'react-parse
setClearStateActionType('USER_LOGOUT')
import {cleanAllState} from 'react-parse
cleanAllState()
You can help improving this project sending PRs and helping with issues.
FAQs
react components with redux and saga ready to use for easy and fast fetch data from and parse server
We found that react-parse demonstrated a not healthy version release cadence and project activity because the last version was released a year ago. It has 1 open source maintainer collaborating on the project.
Did you know?

Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.

Security News
Multiple high-impact npm maintainers confirm they have been targeted in the same social engineering campaign that compromised Axios.

Security News
Axios compromise traced to social engineering, showing how attacks on maintainers can bypass controls and expose the broader software supply chain.

Security News
Node.js has paused its bug bounty program after funding ended, removing payouts for vulnerability reports but keeping its security process unchanged.