Skip to content

Instantly share code, notes, and snippets.

@dengjonathan
Created February 16, 2017 19:08
Show Gist options
  • Star 0 You must be signed in to star a gist
  • Fork 0 You must be signed in to fork a gist
  • Save dengjonathan/869664c2e16ad3b611efe342310ce6d7 to your computer and use it in GitHub Desktop.
Save dengjonathan/869664c2e16ad3b611efe342310ce6d7 to your computer and use it in GitHub Desktop.
job search backtrack
const ACTIVITIES = [
{name: 'side-project', time: 10, xp: 12},
{name: 'algorithms', time: 3, xp: 7},
{name: 'networking', time: 1, xp: 0.5},
{name: 'exercise', time: 2, xp: 1.5},
{name: 'systems design', time: 4, xp: 4},
{name: 'making CSS codepens', time: 3, xp: 4}
];
/**
* Returns array of type string with names of activites that maximize XP
* @param {number} time
*/
const findJob = (time, activities) => {
const currentSet = [];
let maxXp = -Infinity;
let maxSet = [];
// keep track of a pointer to left side (so we don't have to copy array)
// and total xp and time of current state (so we can calc in O(1))
const backTrack = (items, left = 0, xp = 0, totalTime = 0) => {
// for each activity do a depth first search
for (let i = left; i < items.length; i++) {
const newTime = totalTime + items[i].time;
const newXp = xp + items[i].xp;
// only recurse if will lead to valid solution
if (newTime <= time) {
// update set to include new activity
currentSet.push(activities[i]);
if (newXp > maxXp) {
maxXp = xp;
maxSet = currentSet.slice();
}
backTrack(items, i + 1, newXp, newTime);
// after we depth first search, return to previous state (backtrack)
currentSet.pop();
}
}
};
backTrack(activities);
return maxSet.map(act => act.name);
};
// The time complexity of this solution is O(n!)
// The space complexity is O(n!)
console.log(findJob(10, ACTIVITIES));
//=> [ 'algorithms', 'systems design', 'making CSS codepens' ]
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment