Files
worldofzuul/src/de/szut/zuul/Room.java
2025-02-18 13:23:39 +01:00

64 lines
1.8 KiB
Java

package de.szut.zuul;
import java.util.HashMap;
/**
* Class Room - a room in an adventure game.
*
* This class is part of the "World of Zuul" application.
* "World of Zuul" is a very simple, text based adventure game.
*
* A "Room" represents one location in the scenery of the game. It is
* connected to other rooms via exits. The exits are labelled north,
* east, south, west. For each direction, the room stores a reference
* to the neighboring room, or null if there is no exit in that direction.
*
* @author Michael Kölling and David J. Barnes
* @version 2016.02.29
*/
public class Room
{
private String description;
private HashMap<String, Room> roomExits;
/**
* Create a room described "description". Initially, it has
* no exits. "description" is something like "a kitchen" or
* "an open court yard".
* @param description The room's description.
*/
public Room(String description)
{
this.description = description;
this.roomExits = new HashMap<>();
}
/**
* Define the exits of this room. Every direction either leads
* to another room or is null (no exit there).
*/
public void setExit(String direction, Room neighbor) {
roomExits.put(direction, neighbor);
}
/**
* @return The description of the room.
*/
public String getDescription()
{
return description;
}
public String exitsToString() {
StringBuilder exitsInString = new StringBuilder();
for (String direction : roomExits.keySet()) {
exitsInString.append(direction).append(" ");
}
return exitsInString.toString().trim();
}
public Room getExits(String direction) {
return roomExits.get(direction);
}
}