Skip to content

Commit 9b350c8

Browse files
committed
final commit for release
1 parent 76a5405 commit 9b350c8

13 files changed

+96
-69
lines changed

README.md

+16-1
Original file line numberDiff line numberDiff line change
@@ -2,7 +2,22 @@
22
### Implemented in Kotlin
33
## Implementation
44

5-
![The architecture of the program](/docs/architecture.png)
5+
![The architecture of the program](./docs/architecture.png)
6+
7+
Using kotlin coroutines, this is an implementation of a group chat server,
8+
that accepts commands and takes use of the server's threads with use of
9+
suspending coroutines.
10+
11+
The server works by creating a server, that itself has one coroutine to accept
12+
new connections, which are then placed into sessions.
13+
After the server has the begun, it will begin a command phase, ready to accept
14+
commands from server administrator via console input (See Server Commands).
15+
A session is composed of two coroutines, the Rx Coroutine and Tx Coroutine,
16+
while the Rx Coroutine is only responsible of reading data sent by the session client
17+
the Tx Coroutine is responsible of receiving Commands from it's suspending queue,
18+
stopping the session, joining and leaving rooms and
19+
sending messages to the session client and to other sessions in the room that
20+
it occupies
621

722
## Starting the server
823
You have the option of running via the Intellij Editor or creating a JAR artifact and running the jar in ```out/artifacts/pc_irc_jar```

docs/architecture.png

50.4 KB
Loading

docs/architecture.svg

-4
This file was deleted.

src/main/kotlin/main.kt

+4-1
Original file line numberDiff line numberDiff line change
@@ -53,7 +53,10 @@ fun main(args: Array<String>) {
5353

5454
runBlocking {
5555
server.run()
56-
server.pollForCommands()
56+
while(!server.hasStopped()) {
57+
val input = readlnOrNull() ?: break
58+
server.sendCommand(input)
59+
}
5760
}
5861

5962
} catch (ex: SQLException) {

src/main/kotlin/server/Line.kt

+13-2
Original file line numberDiff line numberDiff line change
@@ -1,10 +1,21 @@
11
package server
22

3+
const val ALLOWED_SPECIAL_CHARACTERS = "/(){}[]!?#$%&='«»<>@£§"
4+
5+
/**
6+
* sanitizes a string and cleans it, used in user input
7+
*/
38
fun String.sanitize(): String {
4-
//TODO: improve sanitiation
5-
return trim()
9+
//TODO: improve sanitation
10+
return trim().filter {
11+
it.isLetterOrDigit() || it in ALLOWED_SPECIAL_CHARACTERS
12+
}
613
}
714

15+
/**
16+
* @return a pair, the first token is the first word of the string passed, and the second token is the list of
17+
* the other words
18+
*/
819
fun String.toLineCommand(): Pair<String, List<String>> {
920
if (isBlank()) return "" to emptyList()
1021

src/main/kotlin/server/RoomSet.kt

+1
Original file line numberDiff line numberDiff line change
@@ -21,6 +21,7 @@ class RoomSet {
2121
}
2222

2323
/**
24+
* gets a room in the RoomSet, if a room with [roomName] does not exist it creates one with that name
2425
* @return the room that has been joined
2526
*/
2627
suspend fun getRoom(roomName: String): Room {

src/main/kotlin/server/Server.kt

+30-20
Original file line numberDiff line numberDiff line change
@@ -70,6 +70,8 @@ class Server(
7070
private lateinit var serverSocket: AsynchronousServerSocketChannel
7171
private var state = State.NOT_STARTED
7272

73+
suspend fun hasStopped() = guard.withLock { state === State.STOPPED }
74+
7375
/**
7476
*
7577
* @throws IllegalStateException if server has already started
@@ -85,6 +87,10 @@ class Server(
8587
}
8688
}
8789

90+
/**
91+
* Begins a coroutine responsible of accepting new connections and creating sessions
92+
* @return a Job that represent the accept loop coroutine
93+
*/
8894
private suspend fun acceptLoop(scope: CoroutineScope) =
8995
scope.launch {
9096
try {
@@ -109,26 +115,29 @@ class Server(
109115
}
110116
}
111117

112-
suspend fun pollForCommands() {
113-
while (true) {
114-
val input = readlnOrNull() ?: break
115-
val sanitizedInput = input.sanitize()
116-
val (cmd, args) = sanitizedInput.toLineCommand()
117-
if (cmd.firstOrNull() != COMMAND_PROMPT) continue
118-
when (cmd.drop(1)) {
119-
"shutdown" -> {
120-
if (args.isEmpty()) continue
121-
val timeout = args.first().toLongOrNull() ?: continue
122-
shutdownAndJoin(timeout, TimeUnit.SECONDS)
118+
/**
119+
* Sends a command to be processed by the server, including shutting it down, sending commands is only allowed if
120+
* the server is running and has not stopped
121+
*/
122+
suspend fun sendCommand(input : String) {
123+
check(guard.withLock { state } === State.STARTED) { "Server has not started yet or has stopped!" }
124+
125+
val sanitizedInput = input.sanitize()
126+
val (cmd, args) = sanitizedInput.toLineCommand()
127+
if (cmd.firstOrNull() != COMMAND_PROMPT) return
128+
when (cmd.drop(1)) {
129+
"shutdown" -> {
130+
if (args.isEmpty()) {
131+
logger.warn("Must pass timeout for shutdown command")
123132
}
124-
"exit" -> shutdownAndJoin()
125-
"rooms" -> roomSet.printActiveUsers()
126-
"threads" -> logger.info("${executor.activeCount} active threads")
127-
"sessions" -> logger.info("${sessionManager.roaster.size} clients connected!")
128-
else -> logger.warn("Invalid command!")
133+
val timeout = args.first().toLongOrNull() ?: return
134+
shutdownAndJoin(timeout, TimeUnit.SECONDS)
129135
}
130-
if (guard.withLock { state } === State.STOPPED)
131-
break
136+
"exit" -> shutdownAndJoin()
137+
"rooms" -> roomSet.printActiveUsers()
138+
"threads" -> logger.info("${executor.activeCount} active threads")
139+
"sessions" -> logger.info("${sessionManager.roaster.size} clients connected!")
140+
else -> logger.warn("Invalid command!")
132141
}
133142
}
134143

@@ -138,10 +147,11 @@ class Server(
138147
state = State.STOPPED
139148
}
140149

141-
sessionManager.roaster.forEach { it.stop() }
150+
serverLoopJob.cancelAndJoin()
151+
152+
sessionManager.roaster.forEach { it.stop() };
142153

143154
serverSocket.close()
144-
serverLoopJob.cancelAndJoin()
145155
}
146156

147157
/**

src/main/kotlin/server/SessionManager.kt

-1
Original file line numberDiff line numberDiff line change
@@ -29,7 +29,6 @@ class SessionManager {
2929
*/
3030
fun removeSession(id: Int) = openSessions.remove(id)
3131

32-
3332
/**
3433
* Acquires a list of all open sessions created by this session manager
3534
*/

src/main/kotlin/server/SocketExtensions.kt

+5-3
Original file line numberDiff line numberDiff line change
@@ -13,8 +13,9 @@ import kotlin.coroutines.resumeWithException
1313

1414
const val INPUT_BUFFER_SIZE = 1024
1515

16-
private val encoder = Charsets.UTF_8.newEncoder()
17-
private val decoder = Charsets.UTF_8.newDecoder()
16+
val CHARSET = Charsets.UTF_8
17+
private val encoder = CHARSET.newEncoder()
18+
private val decoder = CHARSET.newDecoder()
1819

1920
/**
2021
*
@@ -39,7 +40,8 @@ suspend fun AsynchronousSocketChannel.suspendingWrite(line: String): Int {
3940
/**
4041
* @param timeout
4142
* @param unit
42-
* @return returns the string sent by session client, an empty string if TODO
43+
* @return returns the string sent by session client, an empty string if a character coding exception occurred and
44+
* and null if the reading has timed out
4345
*/
4446
suspend fun AsynchronousSocketChannel.suspendingRead(
4547
timeout: Long = 0,

src/test/kotlin/server/LineTest.kt

+15
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,15 @@
1+
2+
import server.ALLOWED_SPECIAL_CHARACTERS
3+
import server.sanitize
4+
import kotlin.test.Test
5+
import kotlin.test.assertEquals
6+
7+
class LineTest {
8+
@Test
9+
fun `Test sanitization`() {
10+
val empty = ""
11+
assertEquals(empty, empty.sanitize())
12+
assertEquals(ALLOWED_SPECIAL_CHARACTERS, ALLOWED_SPECIAL_CHARACTERS.sanitize())
13+
assertEquals(empty, "\\\"".sanitize()) //illegal characters
14+
}
15+
}

src/test/kotlin/server/ServerTest.kt

+12-8
Original file line numberDiff line numberDiff line change
@@ -9,6 +9,7 @@ import java.net.InetSocketAddress
99
import java.util.concurrent.LinkedBlockingQueue
1010
import java.util.concurrent.ThreadPoolExecutor
1111
import java.util.concurrent.TimeUnit
12+
import kotlin.test.assertTrue
1213

1314
class ServerTest {
1415

@@ -19,7 +20,12 @@ class ServerTest {
1920
)
2021
@Test
2122
fun `Basic Server Test`() {
22-
//val server = Server(defaultServerAddress)
23+
val server = Server(defaultServerAddress, executor, 1)
24+
runBlocking {
25+
server.run()
26+
server.sendCommand("/exit")
27+
assertTrue { server.hasStopped() }
28+
}
2329
}
2430

2531
@Test
@@ -32,6 +38,11 @@ class ServerTest {
3238
server.shutdownAndJoin()
3339
}
3440
}
41+
assertThrows<IllegalStateException> {
42+
runBlocking {
43+
server.sendCommand("")
44+
}
45+
}
3546

3647
runBlocking {
3748
server.run()
@@ -43,13 +54,6 @@ class ServerTest {
4354
}
4455
}
4556
}
46-
47-
@Test
48-
fun `Stress test data races`() {
49-
(0 .. 1_000_000).map {
50-
val server = Server(defaultServerAddress, executor, 10);
51-
}
52-
}
5357
}
5458

5559

src/test/kotlin/server/SessionManagerTest.kt

-11
This file was deleted.

src/test/kotlin/server/SessionTest.kt

-18
This file was deleted.

0 commit comments

Comments
 (0)