658. Find K Closest Elements

Problem:

Given a sorted array, two integers k and x, find the k closest elements to x in the array. The result should also be sorted in ascending order. If there is a tie, the smaller elements are always preferred.

Example 1:

Input: [1,2,3,4,5], k=4, x=3
Output: [1,2,3,4]

Example 2:

Input: [1,2,3,4,5], k=4, x=-1
Output: [1,2,3,4]

Note:

  1. The value k is positive and will always be smaller than the length of the sorted array.
  2. Length of the given array is positive and will not exceed 104
  3. Absolute value of elements in the array and x will not exceed 104


UPDATE (2017/9/19):
The arr parameter had been changed to an array of integers (instead of a list of integers). Please reload the code definition to get the latest changes.

Solutions:

class Solution {
public:
    vector<int> findClosestElements(vector<int>& arr, int k, int x) {
        int startIndex = findClosest(arr, x);
        if (startIndex < 0) startIndex = 0;
        if (k == 0) return {};

        vector<int> ret;
        int forward, backward;
        if (arr[startIndex] == x) {
            ret.push_back(arr[startIndex]);
            --k;
            forward = startIndex + 1;
            backward = startIndex - 1;
        } else if (arr[startIndex] > x){
            forward = startIndex;
            backward = startIndex - 1;
        } else {
            forward = startIndex + 1;
            backward = startIndex;
        }


        while (k > 0) {
            if (forward >= arr.size()) {
                ret.push_back(arr[backward--]);
                --k;
            } else if (backward < 0) {
                ret.push_back(arr[forward++]);
                --k;
            } else {
                int forwardDis = abs(arr[forward] - x);
                int backDis = abs(arr[backward] -x);

                if (forwardDis == backDis) {
                    ret.push_back(arr[backward--]);
                    --k;
                } else if (forwardDis < backDis) {
                    ret.push_back(arr[forward++]);
                    --k;
                } else {
                    ret.push_back(arr[backward--]);
                    --k;
                }
            }
        }

        sort(ret.begin(), ret.end()); // we could construct result from two limits; and just return a sublist.
        return ret;

    }

    int findClosest(vector<int>& arr, int target) {
        int left = 0;
        int right = arr.size() - 1;
        while (left < right) {
            int mid = left + (right - left) / 2;
            if (arr[mid] == target) return mid;
            else if (arr[mid] < target) {
                left = mid + 1;
            } else {
                right = mid - 1;
            }
        }

        return left;
    }
};

results matching ""

    No results matching ""