Click here to Skip to main content
15,867,488 members
Articles / Desktop Programming / MFC

Making a Class Schedule Using a Genetic Algorithm

Rate me:
Please Sign up or sign in to vote.
4.85/5 (106 votes)
22 Jan 2008CPOL9 min read 638.7K   58.9K   257   168
How to make a class schedule using a genetic algorithm.

Image 1

Contents

Introduction

Making a class schedule is one of those NP hard problems. The problem can be solved using a heuristic search algorithm to find the optimal solution, but it only works for simple cases. For more complex inputs and requirements, finding a considerably good solution can take a while, or it may be impossible. This is where genetic algorithms come in to the game. In this article, I assume that you are familiar with the basic concepts of genetic algorithms, and I won't describe them in detail because it has been done so many times before.

Background

When you make a class schedule, you must take into consideration many requirements (number of professors, students, classes and classrooms, size of classroom, laboratory equipment in classroom, and many others). These requirements can be divided into several groups by their importance. Hard requirements (if you break one of these, then the schedule is infeasible):

  • A class can be placed only in a spare classroom.
  • No professor or student group can have more then one class at a time.
  • A classroom must have enough seats to accommodate all students.
  • To place a class in a classroom, the classroom must have laboratory equipment (computers, in our case) if the class requires it.

Some soft requirements (can be broken, but the schedule is still feasible):

  • Preferred time of class by professors.
  • Preferred classroom by professors.
  • Distribution (in time or space) of classes for student groups or professors.

Hard and soft requirements, of course, depend on the situation. In this example, only hard requirements are implemented. Let's start by explaining the objects which makes a class schedule.

Objects of Class Schedule

Professor

The Professor class has an ID and the name of the professor. It also contains a list of classes that a professor teaches.

Students Group

The StudentsGroup class has an ID and the name of the student group, as well as the number of students (size of group). It also contains a list of classes that the group attends.

Classroom

The Room class has an ID and the name of the classroom, as well as the number of seats and information about equipment (computers). If the classroom has computers, it is expected that there is a computer for each seat. IDs are generated internally and automatically.

Course

The Course class has an ID and the name of the course.

Class

CourseClass holds a reference to the course to which the class belongs, a reference to the professor who teaches, and a list of student groups that attend the class. It also stores how many seats (sum of student groups' sizes) are needed in the classroom, if the class requires computers in the classroom, and the duration of the class (in hours).

Chromosome

The first thing we should consider when we deal with a genetic algorithm is how to represent our solution in such a way that it is feasible for genetic operations such as crossover and mutation. Also, we should know how to specify how good our solution is. In other words, we should be able to calculate the fitness value of our solution.

Representation

How can we represent the chromosome for a class schedule? Well, we need a slot (time-space slot) for each hour (we assume that time is in one hour granules), for every room, every day. Also, we assume that classes cannot begin before 9am, and should finish before or at 9pm (12 hours total), and working days are from Monday to Friday (5 days total). We can use an std::vector with a size 12*5*number_of_rooms. The slot should be an std::list because during the execution of our algorithm, we allow multiple classes during the same time-space slot. There is an additional hash map which is used to obtain the first time-space slot at which a class begins (its position in vector) from the address of the class' object. Each hour of a class has a separate entry in the vector, but there is only one entry per class in the hash map. For instance, if a class starts at 1pm and lasts for three hours, it has entries in the 1pm, 2pm, and 3pm slots.

Class Schedule Chromosome Representation

Figure 1 - Chromosome Representation

Chromosomes are represented by the Schedule class, and it stores the representation of a class schedule in these two attributes:

C++
// Time-space slots, one entry represent one hour in one classroom
vector<list<CourseClass*>> _slots;

// Class table for chromosome
// Used to determine first time-space slot used by class
hash_map<CourseClass*, int> _classes;

Additionally, the chromosome should store its fitness value and the parameters which are used by genetic operations.

The fitness value is stored here:

C++
// Fitness value of chromosome
float _fitness;

// Flags of class requiroments satisfaction
vector<bool> _criteria;

Chromosome parameters:

C++
// Number of crossover points of parent's class tables
int _numberOfCrossoverPoints;

// Number of classes that is moved randomly by single mutation operation
int _mutationSize;

// Probability that crossover will occure
int _crossoverProbability;

// Probability that mutation will occure
int _mutationProbability;

Fitness

Now we need to assign a fitness value to the chromosome. As I previously said, only hard requirements are used to calculate the fitness of a class schedule. This is how we do it:

  • Each class can have 0 to 5 points.
  • If a class uses a spare classroom, we increment its score.
  • If a class requires computers and it is located in the classroom with them, or it doesn't require them, we increment the score of the class.
  • If a class is located in a classroom with enough available seats, guess what, we increment its score.
  • If a professor has no other classes at the time, we increment the class's score once again.
  • The last thing that we check is if any of the student groups that attend the class has any other class at the same time, and if they don't, we increment the score of the class.
  • If a class breaks a rule at any time-space slot that it occupies, its score is not incremented for that rule.
  • The total score of a class schedule is the sum of points of all classes.
  • The fitness value is calculated as schedule_score/maximum_score, and maximum_score is number_of_classes*5.

The fitness values are represented by single-precision floating point numbers (float) in the range 0 to 1.

Crossover

A crossover operation combines data in the hash maps of two parents, and then it creates a vector of slots according to the content of the new hash map. A crossover 'splits' hash maps of both parents in parts of random size. The number of parts is defined by the number of crossover points (plus one) in the chromosome's parameters. Then, it alternately copies parts form parents to the new chromosome, and forms a new vector of slots.

Class Schedule Crossover Operation

Figure 2 - Crossover operation
C++
// Performes crossover operation using to chromosomes
// and returns pointer to offspring
Schedule* Crossover(const Schedule& parent2) const;

Mutation

A mutation operation is very simple. It just takes a class randomly and moves it to another randomly chosen slot. The nmber of classes which are going to be moved in a single operation is defined by the mutation size in the chromosome's parameters.

C++
// Performs mutation on chromosome
void Mutation();

Algorithm

The genetic algorithm is fairly simple. For each generation, it performs two basic operations:

  1. Randomly selects N pairs of parents from the current population and produces N new chromosomes by performing a crossover operation on the pair of parents.
  2. Randomly selects N chromosomes from the current population and replaces them with new ones. The algorithm doesn't select chromosomes for replacement if it is among the best chromosomes in the population.

And, these two operations are repeated until the best chromosome reaches a fitness value equal to 1 (meaning that all classes in the schedule meet the requirement). As mentioned before, the genetic algorithm keeps track of the M best chromosomes in the population, and guarantees that they are not going to be replaced while they are among the best chromosomes.

C++
// Genetic algorithm
class Algorithm
{

private:

    // Population of chromosomes
    vector<Schedule*> _chromosomes;

    // Inidicates wheahter chromosome belongs to
    // best chromosome group
    vector<bool> _bestFlags;

    // Indices of best chromosomes
    vector<int> _bestChromosomes;

    // Number of best chromosomes currently saved in
    // best chromosome group
    int _currentBestSize;

    // Number of chromosomes which are replaced in
    // each generation by offspring
    int _replaceByGeneration;

    // Pointer to algorithm observer
    ScheduleObserver* _observer;

    // Prototype of chromosomes in population
    Schedule* _prototype;

    // Current generation
    int _currentGeneration;

    // State of execution of algorithm
    AlgorithmState _state;

    // Synchronization of algorithm's state
    CCriticalSection _stateSect;

    // Pointer to global instance of algorithm
    static Algorithm* _instance;

    // Synchronization of creation and destruction
    // of global instance
    static CCriticalSection _instanceSect;

public:

    // Returns reference to global instance of algorithm
    static Algorithm& GetInstance();

    // Frees memory used by gloval instance
    static void FreeInstance();

    // Initializes genetic algorithm
    Algorithm(int numberOfChromosomes,
        int replaceByGeneration,
        int trackBest,
        Schedule* prototype,
        ScheduleObserver* observer);

    // Frees used resources
    ~Algorithm();

    // Starts and executes algorithm
    void Start();

    // Stops execution of algoruthm
    void Stop();

    // Returns pointer to best chromosomes in population
    Schedule* GetBestChromosome() const;

    // Returns current generation
    inline int GetCurrentGeneration() const { return _currentGeneration; }

    // Returns pointe to algorithm's observer
    inline ScheduleObserver* GetObserver() const { return _observer; }

private:

    // Tries to add chromosomes in best chromosome group
    void AddToBest(int chromosomeIndex);

    // Returns TRUE if chromosome belongs to best chromosome group
    bool IsInBest(int chromosomeIndex);

    // Clears best chromosome group
    void ClearBest();

};

Observing

The ScheduleObserver class handles the events that are triggered by the genetic algorithm. This class sends messages to the view window of the application. Also, you can block the caller's thread until the execution of the algorithm is not finished or stopped, by calling the WaitEvent() method.

C++
// Handles event that is raised
// when algorithm finds new best chromosome
void NewBestChromosome(const Schedule& newChromosome);

// Handles event that is raised when state
// of execution of algorithm is changed
void EvolutionStateChanged(AlgorithmState newState);

// Block caller's thread until algorithm finishes execution
inline void WaitEvent() //...

If you plan to change the NewBestChromosome method, keep in mind that if you want to keep the best chromosome to display it, you must make a hard copy (by using the MakeCopy method of the Schedule class), because the algorithm can delete that chromosome in the next generation.

Configuration

Configuration File

Types of objects:

  1. professor (#prof tag) - describes a professor.
  2. course (#course tag) - describes a course.
  3. room (#room tag) - describes a room.
  4. group (#group tag) - describes a students group.
  5. course class (#class tag) - describes a class, and binds the professor, course, and students group.

Each object begins with its tag and finishes with the #end tag, all tags must be in separate lines. In the body of an object, each line contains only one key and value pair (attribute) separated by an = character. Each attribute should be specified just one time, except for the group attribute in the #group object which can have multiple group attributes. Tag and key names are case sensitive. Here is a list of the objects' attributes:

  1. #prof
    • id (number, required) - ID of the professor.
    • name (string, required) - name of the professor.
  2. #course
    • id (number, required) - ID of the course.
    • name (string, required) - name of the course.
  3. #room
    • name (string, required) - name of the room.
    • size (number, required) - number of seats in the room.
    • lab (boolean, optional) - indicates if the room is a lab (has computers); if not specified, the default value is false.
  4. #group
    • id (number, required) - ID of the students group.
    • name (string, required) - name of the students group.
    • size (number, required) - number of students in the group.
  5. #class
    • professor (number, required) - ID of a professor; binds a professor to a class.
    • course (number, required) - ID of a course; binds a course to a class.
    • group (number, required) - ID of a students group; binds the students group to a class; each class can be bound to multiple students groups.
    • duration (number, optional) - duration of class (in hours); if not specified, the default value is 1.
    • lab (boolean, optional) - if the class requires computers in a room; if not specified, the default value is false.

Note that the professor, students group, and course objects must be defined before they are bound to a course class object.

Example of a Configuration File

#prof
    id = 1
    name = John Smith
#end

#course
    id = 1
    name = Introduction to Programming
#end

#room
    name = R1
    lab = true
    size = 24
#end

#group
    id = 1
    name = 1O1
    size = 19
#end

#class
    professor = 1
    course = 1
    duration = 2
    group = 1
    group = 2
#end

#class
    professor = 1
    course = 1
    duration = 3
    group = 1
    lab = true
#end

#class
    professor = 1
    course = 1
    duration = 3
    group = 2
    lab = true
#end

Parsing a Configuration

Parsing of a configuration file is done by the Configuration class. The ParseFile method opens and parses a configuration file. It searches for object tags and calls the appropriate method for a parsing object. The ParseFile method also clears a previously parsed object.

C++
public:
    void ParseFile(char* fileName);

private:

    Professor* ParseProfessor(ifstream& file);
    StudentsGroup* ParseStudentsGroup(ifstream& file);
    Course* ParseCourse(ifstream& file);
    Room* ParseRoom(ifstream& file);
    CourseClass* ParseCourseClass(ifstream& file);

To parse a file:

C++
Configuration::GetInstance().ParseFile( "GaSchedule.cfg" );

Parsed objects are kept in a hash map except for course classes, so they can be accessed easily and fast.

C++
private:

    hash_map<int, Professor*> _professors;
    hash_map<int, StudentsGroup*> _studentGroups;
    hash_map<int, Course*> _courses;
    hash_map<int, Room*> _rooms;

    list<CourseClass*> _courseClasses;

The Configuration class also contains the methods for retrieving the parsed information and objects.

C++
public:
    inline Professor* GetProfessorById(int id) //...
    inline int GetNumberOfProfessors() const //...

    inline StudentsGroup* GetStudentsGroupById(int id) //...
    inline int GetNumberOfStudentGroups() const //...

    inline Course* GetCourseById(int id) //...
    inline int GetNumberOfCourses() const //...

    inline Room* GetRoomById(int id) //...
    inline int GetNumberOfRooms() const //...

    inline const list<CourseClass*>& GetCourseClasses() const //...
    inline int GetNumberOfCourseClasses() const //...

Additional Information

This article is written based on this text but with a different license.

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Software Developer
Serbia Serbia
This member has not yet provided a Biography. Assume it's interesting and varied, and probably something to do with programming.

Comments and Discussions

 
GeneralMy vote of 5 Pin
Manoj Kumar Choubey27-Mar-12 23:50
professionalManoj Kumar Choubey27-Mar-12 23:50 
QuestionCompiling Problem Pin
cethint11-Mar-12 9:57
cethint11-Mar-12 9:57 
SuggestionRe: Compiling Problem Pin
Corey W20-Mar-12 7:50
Corey W20-Mar-12 7:50 
GeneralRe: Compiling Problem Pin
cethint25-Mar-12 10:08
cethint25-Mar-12 10:08 
GeneralRe: Compiling Problem Pin
Silver Rhy29-Nov-12 3:22
Silver Rhy29-Nov-12 3:22 
GeneralMy vote of 5 Pin
Yazılım Uzmanı Selcuk12-Jan-12 12:47
Yazılım Uzmanı Selcuk12-Jan-12 12:47 
GeneralRe: My vote of 5 Pin
cethint12-Mar-12 5:16
cethint12-Mar-12 5:16 
GeneralMy vote of 5 Pin
Behzad khosravifar10-Oct-11 9:36
professionalBehzad khosravifar10-Oct-11 9:36 
but have a little problem in Safe ...
QuestionMladen Jankovic pls help me Pin
makerhappy5-Sep-11 4:48
makerhappy5-Sep-11 4:48 
Questionparallelization Pin
Member 789818428-Jun-11 14:39
Member 789818428-Jun-11 14:39 
GeneralAbout Class Schedule application Pin
muoipt7-Jun-11 18:18
muoipt7-Jun-11 18:18 
GeneralRe: About Class Schedule application Pin
cethint11-Mar-12 9:34
cethint11-Mar-12 9:34 
GeneralRe: About Class Schedule application Pin
mwashahi27-May-13 2:29
mwashahi27-May-13 2:29 
GeneralUsing Visual Studio 2010 Pin
HamaKareem20-Apr-11 12:48
HamaKareem20-Apr-11 12:48 
GeneralMy vote of 5 Pin
farmun19-Apr-11 3:09
farmun19-Apr-11 3:09 
Generaldemo application Pin
GriffynAzmy20-Feb-11 6:19
GriffynAzmy20-Feb-11 6:19 
GeneralMy vote of 4 Pin
jonathan suatmojo4-Jan-11 6:52
jonathan suatmojo4-Jan-11 6:52 
Question[Genetic Algorithm, class scheduling]Convert a chromosom to other chromosome with different size of array Pin
Abdi tombang3-Jan-11 22:42
Abdi tombang3-Jan-11 22:42 
QuestionI need your help!!! Pin
pc198827-Nov-10 0:59
pc198827-Nov-10 0:59 
GeneralMy vote of 5 Pin
nguyending28108912-Oct-10 23:43
nguyending28108912-Oct-10 23:43 
QuestionQuestion about generation of schedule Pin
Calsolum21-Sep-10 20:51
Calsolum21-Sep-10 20:51 
AnswerRe: Question about generation of schedule Pin
Calsolum25-Sep-10 5:41
Calsolum25-Sep-10 5:41 
GeneralMy vote of 5 Pin
Robert Yuan3-Aug-10 17:07
Robert Yuan3-Aug-10 17:07 
GeneralAsk algorithm genetic Pin
junsin22-Jun-10 0:37
junsin22-Jun-10 0:37 
Generalstart sloving problem Pin
ITCS_STUDENT18-May-10 1:58
ITCS_STUDENT18-May-10 1:58 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.