Twierdzenie o czterech kolorach Java implementacja mapy USA

Próbuję przypisać kolor każdemu ze stanów, aby żadne dwa sąsiednie stany nie miały tego samego koloru (http://en.wikipedia.org/wiki/Four_color_theorem). Program wyświetli każdy stan i jego kolor.

Czytam w pliku tekstowym o następującym formacie dla 48 stanów (2 nie są połączone):

al,fl,ms,tn,ga
ar,la,tx,ok,mo,tn,ms
az,ca,nv,ut,nm
ca,az,nv,or
co,wy,ut,nm,ok,ks,ne
...

Przykład:

Alabama dotyka Florydy, Mississippi, Tennessee i Gruzji.

Arkansas dotyka Luizjany, Teksasu itp.

To jest mój kod do tej pory:

MapColor.java    

import java.io.*;
import java.util.*;

public class MapColor {

    public static void main(String[] args) throws IOException {

        ArrayList <String> statestemp = new ArrayList <String> ();
        ArrayList <State> states = new ArrayList <State> ();

        // read in each line
        BufferedReader reader = new BufferedReader(new FileReader("usa.txt"));
        String line = null;
        while ((line = reader.readLine()) != null) {
            statestemp.add(line);
        }
        reader.close();

        // create all state objects and adjacencies
        for (int i = 0; i < statestemp.size(); i++) {
            State st = new State();
            String[] str = statestemp.get(i).split(",");
            st.setName(str[0]);
            for (int j = 1; j < str.length; j++) {
                st.addAdj(str[j]);
            }
            states.add(st);
        }

        // set colors


        // print out states and adjacencies
        for (State s : states) {
            System.out.println("Name: " + s.getName());
            System.out.println("Color: " + s.getColor());
            System.out.print("Adj: ");
            s.getAdj();
            System.out.println();
            System.out.println();
        }

    }
}

i

State.java

import java.util.ArrayList;

public class State {

    public String n = null;
    public int c = 0;
    public ArrayList <String> adj = new ArrayList <String> ();

    public String getName() {
        return n;
    }
    public void setName(String name) {
        this.n = name;
    }
    public int getColor() {
        return c;
    }
    public void setColor(int color) {
        this.c = color;
    }
    public void addAdj(String s) {
        this.adj.add(s);
    }
    public ArrayList <String> getAdj() {
        return this.adj;
    }
}

Jestem w punkcie, w którym chciałbym rozpocząć przypisywanie kolorów, ale nie jestem pewien, jak robić porównania.

Wszelkie sugestie będą mile widziane!

questionAnswers(3)

yourAnswerToTheQuestion