We use cookies (including Google cookies) to personalize ads and analyze traffic. By continuing to use our site, you accept our Privacy Policy.

Richest Customer Wealth

Difficulty: Easy


Problem Description

You are given an m x n integer grid accounts where accounts[i][j] is the amount of money the i​​​​​th​​​​ customer has in the j​​​​​th bank. Return the wealth that the richest customer has. A customer's wealth is the amount of money they have in all their bank accounts. The richest customer is the customer that has the maximum wealth.


Key Insights

  • The wealth of a customer can be calculated by summing all the bank accounts for that customer.
  • We need to iterate through each customer and keep track of the maximum wealth encountered.
  • The problem can be solved efficiently given the constraints (1 <= m, n <= 50).

Space and Time Complexity

Time Complexity: O(m * n) - We need to iterate through each customer and each of their accounts. Space Complexity: O(1) - We only need a few variables to store intermediate results.


Solution

To solve this problem, we will use a nested loop to iterate through the 2D array (accounts). For each customer (row in the array), we will sum the values (bank accounts) in that row to calculate the customer's total wealth. We will then compare this wealth with a running maximum to find the richest customer. The data structure used is a 2D array, and the algorithmic approach is straightforward iteration with summation.


Code Solutions

def maximumWealth(accounts):
    max_wealth = 0
    for customer in accounts:
        wealth = sum(customer)  # Sum the wealth for the current customer
        max_wealth = max(max_wealth, wealth)  # Update max_wealth if current wealth is greater
    return max_wealth
← Back to All Questions