• Color Sort


    问题描述

    Given an array with n objects colored red, white or blue, sort them so that objects of the same color are adjacent, with the colors in the order red, white and blue.

    Here, we will use the integers 0, 1, and 2 to represent the color red, white, and blue respectively.

    Note:
    You are not suppose to use the library's sort function for this problem. 

    解决思路

    1. 计数排序;

    2. 双指针法,一遍扫描;

    程序

    1. 普通版本

    public class Solution {
        public void sortColors(int[] nums) {
            if (nums == null || nums.length == 0) {
                return ;
            }
            int begin = 0, end = nums.length - 1;
            while (true) {
                while (begin < end && nums[begin] == 0) {
                    ++begin;
                }
                while (end > begin && nums[end] == 2) {
                    --end;
                }
                if (begin >= end) {
                    break ;
                }
                int p = end;
                while (p >= begin && nums[p] == 1) {
                    --p;
                }
                if (p < begin) {
                    break;
                }
                if (nums[p] == 0) {
                    swap(nums, p, begin);
                } else {
                    swap(nums, p, end);
                }
            }
        }
        
        private void swap(int[] nums, int i, int j) {
            int tmp = nums[i];
            nums[i] = nums[j];
            nums[j] = tmp;
        }
    }
    

    2. 精炼版本

    public class Solution {
        public void sortColors(int[] nums) {
            if (nums == null || nums.length == 0) {
                return ;
            }
            int begin = 0, end = nums.length;
            for (int i = 0; i < end; i++) {
                if (nums[i] == 0) {
                    swap(nums, i, begin);
                    ++begin;
                } else if (nums[i] == 2) {
                    --end;
                    swap(nums, i, end);
                    --i; // 交换前面的元素不确定为0或者1
                }
            }
        }
        
        private void swap(int[] nums, int i, int j) {
            int tmp = nums[i];
            nums[i] = nums[j];
            nums[j] = tmp;
        }
    }
    

      

  • 相关阅读:
    TFS 安装遇到的问题
    批量将MP4 转换为 MP3
    sqlite like 通配符 ,匹配区分大小写(默认不区分大小写)
    AutoCAD 2007-2012 长度统计工具
    python27 ImportError: No module named site
    github push时,要求密码的问题
    sqlserver中自定义计算函数
    关于win10家庭版不能开启虚拟机的问题
    js的MD5实现
    高德各省行政区显示不同区别颜色(转)
  • 原文地址:https://www.cnblogs.com/harrygogo/p/4685014.html
Copyright © 2020-2023  润新知