{ "cells": [ { "cell_type": "markdown", "metadata": {}, "source": [ "# Missing Number\n", "You are given a list of n-1 integers and these integers are in the range of 1 to n. There are no duplicates in list. One of the integers is missing in the list. Write an efficient code to find the missing integer." ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "# Using SUM" ] }, { "cell_type": "code", "execution_count": 1, "metadata": { "collapsed": true }, "outputs": [], "source": [ "def getMissingNum(arr):\n", " n = len(arr) + 1\n", " \n", " tot = n * (n + 1) / 2\n", " \n", " return int(tot - sum(arr))" ] }, { "cell_type": "code", "execution_count": 2, "metadata": {}, "outputs": [ { "data": { "text/plain": [ "[1, 2, 4, 5, 6]" ] }, "execution_count": 2, "metadata": {}, "output_type": "execute_result" } ], "source": [ "arr = [1, 2, 4, 5, 6]\n", "arr" ] }, { "cell_type": "code", "execution_count": 3, "metadata": {}, "outputs": [ { "data": { "text/plain": [ "3" ] }, "execution_count": 3, "metadata": {}, "output_type": "execute_result" } ], "source": [ "getMissingNum(arr)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "# Using XOR" ] }, { "cell_type": "code", "execution_count": 4, "metadata": { "collapsed": true }, "outputs": [], "source": [ "def findMissingNum(arr):\n", " x1, x2 = 0, 0\n", " \n", " for a in arr: # XOR of all array element\n", " x1 ^= a\n", " \n", " for i in range(len(arr) + 2): # XOR of numbers from 1 - n, +2 - 1 for missing value, 1 as range isn't inclusive\n", " x2 ^= i\n", " \n", " return x1 ^ x2" ] }, { "cell_type": "code", "execution_count": 5, "metadata": {}, "outputs": [ { "data": { "text/plain": [ "[1, 2, 4, 5, 6]" ] }, "execution_count": 5, "metadata": {}, "output_type": "execute_result" } ], "source": [ "arr = [1, 2, 4, 5, 6]\n", "arr" ] }, { "cell_type": "code", "execution_count": 6, "metadata": {}, "outputs": [ { "data": { "text/plain": [ "3" ] }, "execution_count": 6, "metadata": {}, "output_type": "execute_result" } ], "source": [ "findMissingNum(arr)" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "# Using Reduce with XOR" ] }, { "cell_type": "code", "execution_count": 7, "metadata": { "collapsed": true }, "outputs": [], "source": [ "from functools import reduce" ] }, { "cell_type": "code", "execution_count": 8, "metadata": {}, "outputs": [ { "data": { "text/plain": [ "4" ] }, "execution_count": 8, "metadata": {}, "output_type": "execute_result" } ], "source": [ "reduce(lambda x, y: x ^ y, [1, 2, 3, 5]) ^ reduce(lambda x, y: x ^ y, range(1, 4 + 2))" ] } ], "metadata": { "kernelspec": { "display_name": "Python 3", "language": "python", "name": "python3" }, "language_info": { "codemirror_mode": { "name": "ipython", "version": 3 }, "file_extension": ".py", "mimetype": "text/x-python", "name": "python", "nbconvert_exporter": "python", "pygments_lexer": "ipython3", "version": "3.6.2" } }, "nbformat": 4, "nbformat_minor": 2 }