Comparing keys
Comparing keys

How To Compare Two Array Of Objects In JavaScript

Comparing two arrays of objects in JavaScript can be tricky, but with the right techniques, it becomes manageable. COMPARE.EDU.VN offers comprehensive guides and tools to help you navigate these complexities. This article provides various methods for object comparison, ensuring you can choose the best approach for your specific needs. Understand different comparison techniques, including deep comparisons and leveraging external libraries, and explore effective ways to compare object arrays.

1. Introduction to Comparing Arrays of Objects in JavaScript

Comparing arrays of objects in JavaScript is a common task, especially when dealing with complex data structures. It requires more than just a simple equality check because objects are compared by reference, not by value. This means that even if two objects have the same properties and values, they are not considered equal if they are different instances in memory. Understanding this fundamental concept is crucial for effectively comparing arrays of objects.

1.1 Why Comparing Arrays of Objects is Challenging

The primary challenge arises from the fact that JavaScript compares objects by reference. When you use the === operator, it checks if two variables point to the same object in memory. For primitive data types like numbers or strings, this works fine because the values are directly compared. However, for objects, even if they have identical properties and values, they are considered different if they are stored at different memory locations.

For example:

const obj1 = { id: 1, name: 'John' };
const obj2 = { id: 1, name: 'John' };

console.log(obj1 === obj2); // Output: false

In the above example, obj1 and obj2 have the same properties and values, but they are different objects in memory, so the === operator returns false. This behavior necessitates more sophisticated methods for comparing arrays of objects.

1.2 Importance of Deep Comparison

Deep comparison involves checking the equality of each property in the objects being compared. This ensures that the comparison is based on the actual content of the objects rather than their memory addresses. Deep comparison is essential when you need to determine if two objects are truly identical in terms of their properties and values.

For instance, a deep comparison function would iterate through each property of obj1 and obj2 from the previous example, comparing their values. If all properties match, the function would return true, indicating that the objects are deeply equal.

Deep comparison becomes even more important when dealing with nested objects or arrays within objects. In such cases, a simple property-by-property comparison might not be sufficient, and recursive techniques may be required to ensure all nested values are also compared.

COMPARE.EDU.VN emphasizes the importance of deep comparison to provide accurate and reliable results when comparing complex data structures.

1.3 Common Use Cases for Comparing Arrays of Objects

There are numerous scenarios where comparing arrays of objects is necessary:

  • Data Validation: Verifying if the data received from an API matches the expected structure and values.
  • State Management: In front-end frameworks like React or Angular, comparing the previous and current state to determine if a component needs to re-render.
  • Testing: Ensuring that the output of a function matches the expected array of objects.
  • Data Deduplication: Removing duplicate objects from an array based on their properties.
  • Synchronization: Comparing two datasets to identify differences and synchronize them.

Consider a scenario where you are building an e-commerce application. You might need to compare the items in a user’s shopping cart with the available products in the database to ensure that the products are still available and that their prices have not changed. In this case, a deep comparison is essential to accurately compare the objects and update the shopping cart accordingly.

Here’s another example: imagine you are working with a data visualization tool that fetches data from multiple sources. Before rendering the data, you need to ensure that the datasets are consistent and that there are no discrepancies. Comparing arrays of objects can help you identify any inconsistencies and take appropriate actions.

1.4 Overview of Comparison Techniques

This article will cover several techniques for comparing arrays of objects in JavaScript, including:

  • Using every() and some() methods: This approach involves iterating through the arrays and comparing objects based on specific properties.
  • Using Object.keys(): This method retrieves the keys of an object and compares the values associated with those keys.
  • Using Lodash’s _.isEqual(): Lodash is a popular JavaScript library that provides a utility function for deep comparison.
  • Using JSON.stringify(): This technique converts objects into JSON strings and compares the strings.
  • Custom comparison functions: Implementing custom functions to handle specific comparison requirements.

Each technique has its own advantages and disadvantages, and the best choice depends on the specific requirements of your project. For instance, JSON.stringify() is simple and quick but may not work well if the order of properties matters. Lodash’s _.isEqual() provides a robust deep comparison but requires including an external library.

By the end of this article, you will have a solid understanding of these techniques and be able to choose the most appropriate method for your comparison needs. Remember, COMPARE.EDU.VN is here to assist you in making informed decisions by providing detailed comparisons and expert advice.

2. Comparing Arrays Using every() and some()

The every() and some() methods in JavaScript provide a way to compare arrays of objects by iterating through them and applying a comparison logic to each object. This approach is particularly useful when you need to compare objects based on specific properties.

2.1 Understanding the every() and some() Methods

  • every(): This method tests whether all elements in the array pass the test implemented by the provided function. It returns true if all elements pass the test; otherwise, it returns false.
  • some(): This method tests whether at least one element in the array passes the test implemented by the provided function. It returns true if at least one element passes the test; otherwise, it returns false.

These methods are powerful tools for comparing arrays because they allow you to define custom comparison logic and apply it to each element in the array. By combining every() and some(), you can create complex comparison scenarios.

2.2 Step-by-Step Implementation

To compare arrays of objects using every() and some(), follow these steps:

  1. Check the Length of the Arrays: Ensure that both arrays have the same number of elements. If the lengths are different, the arrays cannot be equal.
  2. Use every() to Iterate Through the First Array: Apply the every() method to the first array. This ensures that the comparison logic is applied to each object in the first array.
  3. Use some() Inside every() to Find a Match in the Second Array: Inside the every() method, use the some() method on the second array. This checks if there is at least one object in the second array that matches the current object from the first array.
  4. Define the Comparison Logic: Implement the comparison logic within the some() method. This involves comparing specific properties of the objects to determine if they are equal.
  5. Return true or false: The every() method returns true if all objects in the first array have a corresponding match in the second array; otherwise, it returns false.

2.3 Code Example

Here’s a code example that demonstrates how to compare two arrays of objects using every() and some():

const arr1 = [
  { id: 1, name: 'John' },
  { id: 2, name: 'Jane' }
];

const arr2 = [
  { id: 2, name: 'Jane' },
  { id: 1, name: 'John' }
];

function compareArrays(array1, array2) {
  if (array1.length !== array2.length) {
    return false;
  }

  return array1.every(obj1 =>
    array2.some(obj2 =>
      obj1.id === obj2.id && obj1.name === obj2.name
    )
  );
}

console.log(compareArrays(arr1, arr2)); // Output: true

In this example, the compareArrays function first checks if the lengths of the arrays are equal. Then, it uses the every() method to iterate through the first array. For each object in the first array, it uses the some() method to check if there is a matching object in the second array. The comparison logic checks if the id and name properties of the objects are equal.

2.4 Advantages and Disadvantages

Advantages:

  • Customizable: You can define your own comparison logic based on specific properties.
  • Flexible: Works well for comparing arrays with different object structures.
  • No External Libraries: Does not require the use of external libraries.

Disadvantages:

  • Complexity: Can become complex when dealing with nested objects or multiple properties.
  • Performance: May not be the most efficient method for large arrays.
  • Order Matters: The order of objects in the arrays must be the same for the comparison to work correctly.

When deciding whether to use every() and some(), consider the size of your arrays and the complexity of your comparison logic. If you have large arrays or complex object structures, you might want to consider other methods like Lodash’s _.isEqual() or JSON.stringify().

3. Comparing Arrays Using Object.keys()

The Object.keys() method provides an alternative way to compare arrays of objects by focusing on the keys of the objects. This approach is useful when you want to ensure that the objects have the same properties and values.

3.1 Understanding the Object.keys() Method

The Object.keys() method returns an array of a given object’s own enumerable property names, iterated in the same order as that provided by a for...in loop. This means that you can use Object.keys() to get a list of all the properties in an object and then compare the values associated with those properties.

For example:

const obj = { id: 1, name: 'John', age: 30 };
const keys = Object.keys(obj);
console.log(keys); // Output: ['id', 'name', 'age']

In this example, Object.keys(obj) returns an array containing the keys of the obj object. You can then use these keys to access the values of the properties and compare them.

3.2 Step-by-Step Implementation

To compare arrays of objects using Object.keys(), follow these steps:

  1. Check the Length of the Arrays: Ensure that both arrays have the same number of elements. If the lengths are different, the arrays cannot be equal.
  2. Use every() to Iterate Through the First Array: Apply the every() method to the first array. This ensures that the comparison logic is applied to each object in the first array.
  3. Use some() Inside every() to Find a Match in the Second Array: Inside the every() method, use the some() method on the second array. This checks if there is at least one object in the second array that matches the current object from the first array.
  4. Get the Keys of the Objects: Use Object.keys() to get the keys of the objects being compared.
  5. Compare the Keys and Values: Iterate through the keys and compare the values associated with those keys. If all keys and values match, the objects are equal.
  6. Return true or false: The every() method returns true if all objects in the first array have a corresponding match in the second array; otherwise, it returns false.

3.3 Code Example

Here’s a code example that demonstrates how to compare two arrays of objects using Object.keys():

const arr1 = [
  { id: 1, name: 'John' },
  { id: 2, name: 'Jane' }
];

const arr2 = [
  { id: 2, name: 'Jane' },
  { id: 1, name: 'John' }
];

function compareArrays(array1, array2) {
  if (array1.length !== array2.length) {
    return false;
  }

  return array1.every(obj1 =>
    array2.some(obj2 => {
      const keys1 = Object.keys(obj1);
      const keys2 = Object.keys(obj2);

      if (keys1.length !== keys2.length) {
        return false;
      }

      return keys1.every(key => obj1[key] === obj2[key]);
    })
  );
}

console.log(compareArrays(arr1, arr2)); // Output: true

In this example, the compareArrays function first checks if the lengths of the arrays are equal. Then, it uses the every() method to iterate through the first array. For each object in the first array, it uses the some() method to check if there is a matching object in the second array. The comparison logic uses Object.keys() to get the keys of the objects and then iterates through the keys to compare the values.

3.4 Advantages and Disadvantages

Advantages:

  • Comprehensive: Ensures that all properties and values are compared.
  • No External Libraries: Does not require the use of external libraries.
  • Clear Logic: Provides a clear and structured way to compare objects.

Disadvantages:

  • Complexity: Can be more complex to implement than other methods.
  • Performance: May not be the most efficient method for large arrays or complex objects.
  • Order Matters: The order of objects in the arrays must be the same for the comparison to work correctly.

When deciding whether to use Object.keys(), consider the complexity of your objects and the size of your arrays. If you have simple objects and small arrays, this method can be a good choice. However, for more complex scenarios, you might want to consider other methods like Lodash’s _.isEqual() or JSON.stringify().

Comparing keysComparing keys

4. Using Lodash _.isEqual()

Lodash is a popular JavaScript library that provides utility functions for performing common tasks. One of the most useful functions for comparing arrays of objects is _.isEqual(), which performs a deep comparison between two values.

4.1 Introduction to Lodash Library

Lodash is a comprehensive library that provides utility functions for array manipulation, object manipulation, function binding, and more. It is widely used in JavaScript projects to simplify common tasks and improve code readability.

To use Lodash, you need to install it using npm or yarn:

npm install lodash

Or:

yarn add lodash

Then, you can import the Lodash library into your JavaScript file:

const _ = require('lodash');

4.2 Understanding the _.isEqual() Method

The _.isEqual() method performs a deep comparison between two values to determine if they are equivalent. It handles various data types, including objects, arrays, numbers, strings, and booleans. For objects, it compares the properties and values recursively to ensure that all nested values are also equal.

For example:

const obj1 = { id: 1, name: 'John', address: { city: 'New York' } };
const obj2 = { id: 1, name: 'John', address: { city: 'New York' } };

console.log(_.isEqual(obj1, obj2)); // Output: true

In this example, _.isEqual(obj1, obj2) returns true because the objects have the same properties and values, including the nested address object.

4.3 Step-by-Step Implementation

To compare arrays of objects using _.isEqual(), follow these steps:

  1. Install Lodash: If you haven’t already, install the Lodash library using npm or yarn.
  2. Import Lodash: Import the Lodash library into your JavaScript file.
  3. Use _.isEqual() to Compare the Arrays: Pass the two arrays to the _.isEqual() method.
  4. Return true or false: The _.isEqual() method returns true if the arrays are deeply equal; otherwise, it returns false.

4.4 Code Example

Here’s a code example that demonstrates how to compare two arrays of objects using _.isEqual():

const _ = require('lodash');

const arr1 = [
  { id: 1, name: 'John' },
  { id: 2, name: 'Jane' }
];

const arr2 = [
  { id: 2, name: 'Jane' },
  { id: 1, name: 'John' }
];

console.log(_.isEqual(arr1, arr2)); // Output: false

In this example, _.isEqual(arr1, arr2) returns false because the order of the objects in the arrays is different. If the order of the objects is the same, _.isEqual() would return true.

4.5 Advantages and Disadvantages

Advantages:

  • Simple: Easy to use and requires minimal code.
  • Comprehensive: Performs a deep comparison, including nested objects and arrays.
  • Widely Used: Lodash is a popular library with good community support.

Disadvantages:

  • External Library: Requires the use of an external library.
  • Performance: Can be slower than other methods for very large arrays or complex objects.
  • Order Matters: The order of objects in the arrays must be the same for the comparison to work correctly.

When deciding whether to use _.isEqual(), consider the size of your arrays, the complexity of your objects, and whether you are already using Lodash in your project. If you need a simple and comprehensive deep comparison and you are already using Lodash, this method is a good choice.

5. Comparing Arrays Using JSON.stringify()

The JSON.stringify() method provides a simple way to compare arrays of objects by converting them into JSON strings and then comparing the strings. This approach is easy to implement but has some limitations.

5.1 Understanding the JSON.stringify() Method

The JSON.stringify() method converts a JavaScript object or value to a JSON string. This can be useful for serializing objects and sending them over a network or storing them in a database.

For example:

const obj = { id: 1, name: 'John', age: 30 };
const jsonString = JSON.stringify(obj);
console.log(jsonString); // Output: {"id":1,"name":"John","age":30}

In this example, JSON.stringify(obj) converts the obj object into a JSON string.

5.2 Step-by-Step Implementation

To compare arrays of objects using JSON.stringify(), follow these steps:

  1. Convert the Arrays to JSON Strings: Use JSON.stringify() to convert both arrays into JSON strings.
  2. Compare the JSON Strings: Use the === operator to compare the JSON strings.
  3. Return true or false: The === operator returns true if the JSON strings are equal; otherwise, it returns false.

5.3 Code Example

Here’s a code example that demonstrates how to compare two arrays of objects using JSON.stringify():

const arr1 = [
  { id: 1, name: 'John' },
  { id: 2, name: 'Jane' }
];

const arr2 = [
  { id: 2, name: 'Jane' },
  { id: 1, name: 'John' }
];

function compareArrays(array1, array2) {
  return JSON.stringify(array1) === JSON.stringify(array2);
}

console.log(compareArrays(arr1, arr2)); // Output: false

In this example, compareArrays(arr1, arr2) returns false because the order of the objects in the arrays is different. If the order of the objects is the same, compareArrays() would return true.

5.4 Advantages and Disadvantages

Advantages:

  • Simple: Easy to use and requires minimal code.
  • No External Libraries: Does not require the use of external libraries.
  • Quick: Generally faster than other methods for simple objects.

Disadvantages:

  • Order Matters: The order of properties and objects in the arrays must be the same for the comparison to work correctly.
  • No Deep Comparison: Does not perform a deep comparison of nested objects.
  • Limited: Cannot handle circular references or special object types.

When deciding whether to use JSON.stringify(), consider the complexity of your objects, the size of your arrays, and whether the order of properties and objects matters. If you have simple objects, small arrays, and the order matters, this method can be a good choice. However, for more complex scenarios, you might want to consider other methods like Lodash’s _.isEqual().

6. Custom Comparison Functions

In some cases, the built-in methods and libraries may not be sufficient for your specific comparison needs. In these situations, you can create custom comparison functions to handle the unique requirements of your project.

6.1 When to Use Custom Functions

You should consider using custom comparison functions when:

  • You need to compare objects based on specific properties that are not easily handled by built-in methods.
  • You need to handle special object types or circular references.
  • You need to optimize the comparison process for performance reasons.
  • You need to implement custom comparison logic based on your application’s requirements.

For example, you might need to compare objects based on a calculated value or a combination of properties. In these cases, a custom comparison function can provide the flexibility and control you need.

6.2 Step-by-Step Implementation

To create a custom comparison function, follow these steps:

  1. Define the Comparison Logic: Determine the specific properties and values you need to compare.
  2. Create a Function: Create a JavaScript function that takes two objects as input.
  3. Implement the Comparison Logic: Implement the comparison logic within the function. This involves comparing the specific properties and values you defined in step 1.
  4. Return true or false: The function should return true if the objects are equal according to your comparison logic; otherwise, it should return false.
  5. Use the Custom Function: Use the custom function to compare the arrays of objects.

6.3 Code Example

Here’s a code example that demonstrates how to create a custom comparison function:

const arr1 = [
  { id: 1, name: 'John', age: 30 },
  { id: 2, name: 'Jane', age: 25 }
];

const arr2 = [
  { id: 2, name: 'Jane', age: 25 },
  { id: 1, name: 'John', age: 30 }
];

function compareObjects(obj1, obj2) {
  return obj1.id === obj2.id && obj1.name === obj2.name && obj1.age === obj2.age;
}

function compareArrays(array1, array2) {
  if (array1.length !== array2.length) {
    return false;
  }

  return array1.every(obj1 =>
    array2.some(obj2 => compareObjects(obj1, obj2))
  );
}

console.log(compareArrays(arr1, arr2)); // Output: true

In this example, the compareObjects function compares the id, name, and age properties of the objects. The compareArrays function uses the compareObjects function to compare the objects in the arrays.

6.4 Advantages and Disadvantages

Advantages:

  • Flexible: You can customize the comparison logic to meet your specific needs.
  • Optimized: You can optimize the comparison process for performance reasons.
  • Handles Special Cases: You can handle special object types or circular references.

Disadvantages:

  • Complex: Can be more complex to implement than other methods.
  • Time-Consuming: Requires more time and effort to develop and test.
  • Maintenance: Requires ongoing maintenance to ensure that the comparison logic remains accurate.

When deciding whether to use custom comparison functions, consider the complexity of your comparison needs and the resources available to you. If you have unique requirements and the resources to invest in developing and maintaining custom functions, this approach can be a good choice.

7. Performance Considerations

When comparing arrays of objects, performance is an important factor to consider, especially when dealing with large datasets. Different comparison methods have different performance characteristics, and choosing the right method can significantly impact the efficiency of your code.

7.1 Benchmarking Different Methods

To understand the performance characteristics of different comparison methods, it is helpful to benchmark them using realistic datasets. Benchmarking involves measuring the execution time of each method for a given dataset and comparing the results.

Here are some general guidelines based on typical benchmarking results:

  • JSON.stringify(): Generally faster for simple objects and small arrays, but slower for complex objects and large arrays.
  • _.isEqual(): Generally slower than JSON.stringify() for simple objects, but faster for complex objects and large arrays.
  • every() and some(): Performance depends on the complexity of the comparison logic. Can be faster than _.isEqual() for simple comparisons, but slower for complex comparisons.
  • Custom Functions: Performance depends on the implementation of the comparison logic. Can be optimized for specific scenarios.

It is important to note that these are general guidelines and the actual performance may vary depending on the specific characteristics of your data and the environment in which your code is running.

7.2 Optimizing Comparison Logic

Regardless of the comparison method you choose, there are several techniques you can use to optimize the comparison logic:

  • Compare Only Necessary Properties: Only compare the properties that are relevant to your comparison needs. This can significantly reduce the execution time, especially for objects with many properties.
  • Use Efficient Comparison Operators: Use efficient comparison operators like === and !== instead of more complex operators like == and !=.
  • Avoid Unnecessary Iterations: Avoid unnecessary iterations by checking the length of the arrays before comparing them and by using the break statement to exit loops early when a mismatch is found.
  • Use Memoization: Use memoization to cache the results of expensive calculations and avoid recomputing them unnecessarily.

7.3 Using Indexes

If you need to compare arrays of objects frequently, you can improve performance by creating indexes on the properties you are comparing. An index is a data structure that allows you to quickly look up objects based on the value of a property.

For example, you can create an index on the id property of the objects in your arrays:

const arr1 = [
  { id: 1, name: 'John' },
  { id: 2, name: 'Jane' }
];

const index = new Map();

arr1.forEach(obj => {
  index.set(obj.id, obj);
});

Then, you can use the index to quickly look up objects based on their id:

const obj2 = { id: 1, name: 'John' };
const obj1 = index.get(obj2.id);

if (obj1 && obj1.name === obj2.name) {
  console.log('Objects are equal');
}

Using indexes can significantly improve the performance of your comparison logic, especially for large arrays.

8. Best Practices for Comparing Arrays of Objects

To ensure that your code is efficient, reliable, and maintainable, follow these best practices when comparing arrays of objects:

8.1 Choose the Right Method for Your Needs

Select the comparison method that is most appropriate for your specific requirements. Consider the size of your arrays, the complexity of your objects, and the performance characteristics of the different methods.

  • For simple objects and small arrays, JSON.stringify() may be sufficient.
  • For complex objects and large arrays, _.isEqual() may be a better choice.
  • For custom comparison logic, custom functions may be necessary.

8.2 Handle Edge Cases

Be sure to handle edge cases such as:

  • Arrays with different lengths.
  • Objects with different properties.
  • Null or undefined values.
  • Circular references.

Handling these edge cases will ensure that your code is robust and reliable.

8.3 Write Clear and Concise Code

Write clear and concise code that is easy to understand and maintain. Use meaningful variable names, comments, and indentation to improve readability.

8.4 Test Your Code Thoroughly

Test your code thoroughly to ensure that it works correctly in all scenarios. Use unit tests to verify that your comparison logic is accurate and efficient.

By following these best practices, you can ensure that your code is well-written, reliable, and maintainable.

9. FAQ: Comparing Arrays of Objects in JavaScript

Here are some frequently asked questions about comparing arrays of objects in JavaScript:

9.1 How do I compare two arrays of objects in JavaScript?

You can compare arrays of objects in JavaScript using several methods, including every() and some(), Object.keys(), Lodash’s _.isEqual(), JSON.stringify(), and custom comparison functions. The best method depends on your specific requirements.

9.2 Why can’t I use === to compare objects?

You cannot use === to compare objects directly because it compares objects by reference, not by value. This means that even if two objects have the same properties and values, they are not considered equal if they are different instances in memory.

9.3 How do I perform a deep comparison of objects?

To perform a deep comparison of objects, you need to compare the properties and values of the objects recursively. This can be done using Lodash’s _.isEqual() method or by implementing a custom comparison function.

9.4 How do I compare arrays of objects with different lengths?

If the arrays have different lengths, they cannot be equal. You should always check the length of the arrays before comparing them.

9.5 How do I compare arrays of objects with different properties?

If the objects have different properties, they cannot be equal. You should ensure that the objects have the same properties before comparing their values.

9.6 How do I handle null or undefined values?

You should handle null or undefined values explicitly in your comparison logic. You can use the === operator to check for null or undefined values and handle them accordingly.

9.7 How do I handle circular references?

Circular references can cause infinite loops when performing deep comparisons. You can handle circular references by keeping track of the objects you have already visited and avoiding re-visiting them.

9.8 How do I optimize the performance of my comparison logic?

You can optimize the performance of your comparison logic by comparing only necessary properties, using efficient comparison operators, avoiding unnecessary iterations, and using indexes.

9.9 What is Lodash and how can it help with comparing arrays of objects?

Lodash is a popular JavaScript library that provides utility functions for performing common tasks. It includes the _.isEqual() method, which performs a deep comparison between two values.

9.10 When should I use a custom comparison function?

You should use a custom comparison function when you need to compare objects based on specific properties that are not easily handled by built-in methods, when you need to handle special object types or circular references, or when you need to optimize the comparison process for performance reasons.

10. Conclusion

Comparing arrays of objects in JavaScript can be a complex task, but with the right techniques and best practices, it becomes manageable. This article has provided a comprehensive overview of various methods for comparing arrays of objects, including every() and some(), Object.keys(), Lodash’s _.isEqual(), JSON.stringify(), and custom comparison functions.

By understanding the advantages and disadvantages of each method, you can choose the most appropriate approach for your specific needs. Remember to consider performance, handle edge cases, write clear and concise code, and test your code thoroughly.

COMPARE.EDU.VN is committed to providing you with the information and tools you need to make informed decisions. Whether you are comparing products, services, or ideas, our platform offers detailed comparisons and expert advice to help you choose the best option for you.

Still unsure which comparison method is right for your project? Visit COMPARE.EDU.VN for more in-depth comparisons, user reviews, and expert recommendations. Let us help you make the best decision.

Address: 333 Comparison Plaza, Choice City, CA 90210, United States
Whatsapp: +1 (626) 555-9090
Website: compare.edu.vn

Comments

No comments yet. Why don’t you start the discussion?

Leave a Reply

Your email address will not be published. Required fields are marked *