21 调整数组顺序使奇数位于偶数前面

题目

输入一个整数数组,实现一个函数来调整该数组中数字的顺序,使得所有的奇数位于数组的前半部分,所有的偶数位于位于数组的后半部分,并保证奇数和奇数,偶数和偶数之间的相对位置不变。

牛客网 OJ

C ++ 题解

类似冒泡算法,前偶后奇数就交换:

class Solution {
public:
    void reOrderArray(vector<int> &array) {
 
         
        for (int i = 0; i < array.size();i++)
        {
            for (int j = array.size() - 1; j>i;j--)
            {
                //前偶后奇交换
                if (((array[j] & 0x01) == 1) && ((array[j - 1] & 0x01) == 0)) 
                {
                    swap(array[j], array[j-1]);
                }
            }
        }
    }
};

python 题解

方法一

# -*- coding:utf-8 -*-
class Solution:
    def reOrderArray(self, array):
        # write code here
        Odd = filter(lambda x: (x&0x01)!=0,array)
        Even = filter(lambda x:(x&0x01)==0,array)
        return Odd+Even

注意:

  • lambda表达式的使用
  • filter 函数的使用

不要求保证顺序

采用前后指针的策略:

C++ 题解

class Solution {
public:
    void reOrderArray(vector<int> &array) {
         int l = 0, r = array.size() - 1;
         while (l <= r) {
             while (array[l] % 2 == 1) l ++ ;
             while (array[r] % 2 == 0) r -- ;
             if (l < r) swap(array[l], array[r]);
         }
    }
};

C语言题解

void ReArray(int *array2,int length)
{
	// 特殊输入
	if(array2 == nullptr || length == 0)
		return;

	// 指针遍历数组
	int *pLeft = array2;
	int *pRight = array2 + length-1;

	while(pLeft<pRight)
	{
		// 向后移动pLeft,直到指向偶数
		while(pLeft<pRight && *pLeft %2 == 1)
			pLeft++;

		// 向前移动pRight,直到指向奇数
		while(pLeft<pRight && *pRight %2 == 0)
			pRight--;

		// 奇偶数交换
		if(pLeft < pRight)            
		{
			int temp = *pLeft;
			*pLeft = *pRight;
			*pRight = temp;
		}
	}
}
posted @ 2019-03-04 09:14  youngliu91  阅读(108)  评论(0编辑  收藏  举报