首页 男女位置最小交换次数
文章
取消

男女位置最小交换次数

题目

幼儿园的小朋友准备上体育课,老师让他们手牵手排成一列。现在老师需要通过让相邻的小朋友交换位置来形成新的一列,实现男生和女生分开,也就是在这一列中,除了中间的唯一一对小朋友是男生和女生牵手,其余的小朋友只可以牵同性的手。请补齐下面的代码,输出最小的交换次数。示例:输入:

{“男”,“女”,“男”,“女”},输出:1。

1
2
3
4
5
public class Kindergarten {
	public Integer childrenPartition(String[] children){
		//todo:
	}
}

思考过程

两次冒泡,一次正序,一次逆序,分别记录交换次数,取较小值。

Java实现

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
import java.util.Arrays;

public class Kindergarten {
    private Integer childrenPartition(String[] children) {

        // 正序交换次数
        int a;
        // 逆序交换次数
        int b;

        // 创建长度等于人数的整型数组
        int[] forward = new int[children.length];

        // 1 代表“男”,0 代表“女”,存入整型数组
        for (int i = 0; i < children.length; i++) {
            forward[i] = children[i].equals("男") ? 1 : 0;
        }

        // 克隆一个用来做反向数组
        int[] backward = forward.clone();

        // 将数组反转
        for (int start = 0, end = forward.length - 1; start < end; start++, end--) {
            int temp = backward[end];
            backward[end] = backward[start];
            backward[start] = temp;
        }

        System.out.println("forward:");
        System.out.println(Arrays.toString(forward));
        a = bubble(forward);
        System.out.printf("swap times: %d\n", a);

        System.out.println("------------------------------");

        System.out.println("backward:");
        System.out.println(Arrays.toString(backward));
        b = bubble(backward);
        System.out.printf("swap times: %d\n\n", b);

        System.out.print("最少交换次数:");

        return Math.min(a, b);

    }

    private int bubble(int[] array) {
        int length = array.length;
        int temp, count = 0;

        // 对较小的数进行冒泡排序,并记录交换次数
        for (int i = 0; i < length - 1; i++) {
            for (int j = 1; j < length - i; j++) {
                if (array[j - 1] > array[j]) {
                    temp = array[j - 1];
                    array[j - 1] = array[j];
                    array[j] = temp;
                    count++;
                }
            }
        }

        return count;
    }

    public static void main(String[] args) {
        Kindergarten kindergarten = new Kindergarten();

        String[] children = new String[]{"男", "女", "男", "女", "女", "男", "男", "男", "女", "男"};

        System.out.println(kindergarten.childrenPartition(children));

    }
}

最后

练习,代码未必最优。

本文由作者按照 CC BY 4.0 进行授权