Skip to content

Instantly share code, notes, and snippets.

@kevinwucodes
Last active August 2, 2023 10:06
Show Gist options
  • Star 1 You must be signed in to star a gist
  • Fork 0 You must be signed in to fork a gist
  • Save kevinwucodes/568f9ee5420af586c79105689a72ac0d to your computer and use it in GitHub Desktop.
Save kevinwucodes/568f9ee5420af586c79105689a72ac0d to your computer and use it in GitHub Desktop.
daily coding problem #69: Given a list of integers, return the largest product that can be made by multiplying any three integers.

Good morning! Here's your coding interview problem for today.

This problem was asked by Facebook.

Given a list of integers, return the largest product that can be made by multiplying any three integers.

For example, if the list is [-10, -10, 5, 2], we should return 500, since that's -10 * -10 * 5.

You can assume the list has at least three integers.

Thoughts

naive solution . lets take the list and attempt to multiply everything through it. For example, we have 4 elements in an array, the depth of determine every combination with 4 elements is in the binary form of 1111, which is parseInt(1111, 2) = 15. The complexity is 2^n (which is 16). Let K be the number of needed to multiply.

for (let i = 0; i < 2^n; i++) {
//convert the index to binary
//ensure that the binary representation of the "on" bits total K
//if it does, keep it as a result to check later
//else discard
}

then check the result to find highest number

Code

const input = [-10, -10, 5, 2]
const K = 3

const a = findHighest(input, K)
console.log(a)

function findHighest(input, K) {

  const results = []

  for (let i = 0; i < Math.pow(2, input.length); i++) {
    let binary = i.toString(2);    

    //we want to provide leading zeros
    binary = "0".repeat(input.length - binary.length) + binary
    
    const bits = binary.split('').map(e => parseInt(e))
    const bitsAggregatedValue = bits.reduce((acc, curr) => acc + curr, 0)
    
    if (bitsAggregatedValue == K) {
      
      const members = []
      let product = 0

      for (let j = bits.length - 1; j >= 0; j--) {
        if (bits[j] == 1) {
          
          members.push(input[j])

          if (product == 0) {
            product = input[j]
          } else {
            product = product * input[j]
          }
        }
      }

      results.push({
        members,
        product
      })
    }
  }

  let finalResultIndex
  let finalResult

  results.forEach((result, index) => {
    if (!finalResultIndex || (result.product > finalResult.product)) {
      finalResultIndex = index
      finalResult = result
    }
  })

  results.push({maxIndex: finalResultIndex})

  return results
}
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment