I have the following file, LookupPage.jsx and AccountDetails.jsx.
In LookUp
this.updateCustomer = (customer) => {
    if(JSON.stringify(customer.address) !== JSON.stringify(this.state.activeAccount.customer.address)) {
            console.log('address changed');
            customer.update_address = true;
            customer.address.source = 'user';
        }
    return fetch(
        `${API_ENDPOINT}/customer/${customer.id}/`,
        {
            method: 'PATCH',
            headers: {
                'Authorization': 'Token ' + this.props.session_token,
                    'Content-Type': 'application/json',
            },
            body: JSON.stringify(customer),
        }
    ).then(restJSONResponseToPromise).then(responseJSON => {
        if(responseJSON.results){
            console.log('update customers client side.')
        }
    }, clearSessionIfInvalidToken(this.props.clearSession));
};
<AccountsDetailModal
    show={this.state.showAccountDetail}
    close={this.toggleAccountDetail}
    customer={this.state.activeAccount.customer}
    updateCustomer={this.updateCustomer}
/>
In side AccountDetails
this.onChangeAddress = (e) => {
    const customer = {...this.state.customer};
    const address = customer.address;
    address[e.target.name] = e.target.value;
    customer.address = address;
    this.setState({customer, errors: {
        ...this.state.errors,
        [e.target.name]: [],
    }});
};
this.saveCustomer = () => {
    this.setState({postDisable: true});
    const errors = this.getFormErrors();
    const hasErrors = !every(errors, (item) => !item.length);
    if(!hasErrors){
        this.props.updateCustomer(this.state.customer);
    } else {
        sweetAlert('Error!', 'Form is invalid.', 'error');
    }
    this.setState({postDisable: false});
};
this.componentDidMount = () => {
    this.setState({customer: this.props.customer});
}
When I am updating the customers address, it is updating active accounts address, so it seems like it is being passed by reference. What I want to happen is only update the customer address if the address was changed/different from the original. How would I modify my code to do this?
 
     
    