1
0

Started refactoring during voice enabling

Signed-off-by: James Ketrenos <james_eikona@ketrenos.com>
This commit is contained in:
James Ketrenos 2022-03-09 21:20:02 -08:00
parent 5499a66fd3
commit 4909647e75
5 changed files with 475 additions and 403 deletions

View File

@ -11,7 +11,7 @@ import TextField from '@material-ui/core/TextField';
import Resource from './Resource.js';
import Dice from './Dice.js';
const Chat = ({ table }) => {
const Chat = ({ table, game }) => {
const [lastTop, setLastTop] = useState(0),
[autoScroll, setAutoscroll] = useState(true),
[latest, setLatest] = useState(''),
@ -76,11 +76,11 @@ const Chat = ({ table }) => {
});
//const timeDelta = game.timestamp - Date.now();
if (!table.game) {
console.log("Why no game?");
if (!game.id) {
console.log("Why no game id?");
}
const messages = table.game && table.game.chat.map((item, index) => {
const messages = game && game.chat.map((item, index) => {
const punctuation = item.message.match(/(\.+$)/);
let period;
if (punctuation) {
@ -130,15 +130,15 @@ const Chat = ({ table }) => {
);
});
if (table.game && table.game.chat &&
table.game.chat.length &&
table.game.chat[table.game.chat.length - 1].date !== latest) {
setLatest(table.game.chat[table.game.chat.length - 1].date);
if (game.chat &&
game.chat.length &&
game.chat[game.chat.length - 1].date !== latest) {
setLatest(game.chat[game.chat.length - 1].date);
setAutoscroll(true);
}
const name = table.game ? table.game.name : "Why no game?";
const elapsed = table.game ? (table.game.timestamp - table.game.startTime) : undefined;
const name = game ? game.name : "Why no game?";
const elapsed = game ? (game.timestamp - game.startTime) : undefined;
return (
<Paper className="Chat">
<List className="ChatList" id="ChatList" onScroll={chatScroll}>
@ -148,7 +148,7 @@ const Chat = ({ table }) => {
disabled={!name}
onChange={chatInput}
onKeyPress={chatKeyPress}
label={elapsed && <Moment tz={"Etc/GMT"} format="h:mm:ss" durationFromNow interval={1000} date={table.game.startTime}></Moment>} variant="outlined"/>
label={elapsed && <Moment tz={"Etc/GMT"} format="h:mm:ss" durationFromNow interval={1000} date={game.startTime}></Moment>} variant="outlined"/>
</Paper>
);
}

View File

@ -1,4 +1,5 @@
import React, { useState, useEffect } from "react";
import React, { useState, useEffect, useRef, useCallback,
useContext, createContext } from "react";
import "./MediaControl.css";
import VolumeOff from '@mui/icons-material/VolumeOff';
@ -6,42 +7,159 @@ import VolumeUp from '@mui/icons-material/VolumeUp';
import MicOff from '@mui/icons-material/MicOff';
import Mic from '@mui/icons-material/Mic';
const USE_AUDIO = true;
const DEFAULT_CHANNEL = 'some-global-channel-name';
const MUTE_AUDIO_BY_DEFAULT = false;
let local_media_stream = undefined;
const MediaContext = createContext();
const ICE_SERVERS = [
{urls:"stun:stun.l.google.com:19302"}
];
/* Proxy object so we can pass in srcObject to <audio> */
const Audio = ({ srcObject, ...props }) => {
const refAudio = useRef(null);
useEffect(() => {
if (!refAudio.current) {
return;
}
console.log('<audio> bind');
refAudio.current.srcObject = srcObject;
return () => {
console.log('<audio> unbind');
refAudio.current.srcObject = undefined;
};
}, [srcObject]);
return <audio ref={refAudio} {...props} />;
}
const MediaAgent = ({ game, ws }) => {
const [peers, setPeers] = useState({});
const MediaAgent = ({ name, ws }) => {
const [stream, setStream] = useState(undefined);
const { peers, setPeers } = useContext(MediaContext);
if (!game || !ws) {
const onClose = useCallback((event) => {
console.log(`${name} Disconnected from signaling server`);
/* Tear down all of our peer connections and remove all the
* media divs when we disconnect */
for (let peer_id in peers) {
peers[peer_id].close();
}
for (let id in peers) {
delete peers[id];
}
setPeers(Object.assign({}, peers));
}, [peers, setPeers, name]);
const onOpen = (event) => {
console.log(`MediaAgent - WebSocket open request. Attempting to create local media.`)
setup_local_media().then(() => {
/* once the user has given us access to their
* microphone/camcorder, join the channel and start peering up */
join_chat(ws);
});
};
const onMessage = (event) => {
const data = JSON.parse(event.data);
switch (data.type) {
case 'addPeer': addPeer(data.data); break;
case 'removePeer': removePeer(data.data); break;
case 'iceCandidate': iceCandidate(data.data); break;
case 'sessionDescription': sessionDescription(data.data); break;
default: break;
}
};
const onError = (event) => {
console.error(`${name} WebSocket error`);
};
const setup_local_media = useCallback(async () => {
if (stream !== undefined) { /* ie, if we've already been initialized */
console.log(stream);
return;
}
/* Ask user for permission to use the computers microphone and/or camera,
* attach it to an <audio> or <video> tag if they give us access. */
console.log("Requesting access to local audio / video inputs");
navigator.getUserMedia = (navigator.getUserMedia ||
navigator.webkitGetUserMedia ||
navigator.mozGetUserMedia ||
navigator.msGetUserMedia);
return await navigator.mediaDevices.getUserMedia({audio: true, video: false})//, "video": true})
.then((media) => { /* user accepted access to a/v */
console.log("Access granted to audio/video");
setStream(media);
})
.catch((error) => { /* user denied access to a/v */
console.error(error);
console.log("Access denied for audio/video");
window.alert("You chose not to provide access to the microphone!" +
"Ketran will have no audio :(");
});
}, [ setStream, stream ]);
useEffect(() => {
if (!ws) {
return;
}
console.log('MediaAgent bind');
console.log('Media Agent peers: ', peers);
ws.addEventListener('message', onMessage);
ws.addEventListener('error', onError);
ws.addEventListener('close', onClose);
ws.addEventListener('open', onOpen);
return () => {
console.log('MediaAgent unbind');
ws.removeEventListener('message', onMessage);
ws.removeEventListener('error', onError);
ws.removeEventListener('close', onClose);
ws.removeEventListener('open', onOpen);
};
});
if (!ws) {
return <></>;
}
console.log(`MediaAgent`);
const addPeer = (config) => {
console.log('Signaling server said to add peer:', config);
const peer_id = config.peer_id;
if (peer_id in peers) {
/* This could happen if the user joins multiple channels where the other peer is also in. */
console.log("Already connected to peer ", peer_id);
if (!stream) {
console.log(`No local media stream`);
return;
}
const peer_connection = new RTCPeerConnection(
{ iceServers: ICE_SERVERS },
const peer_id = config.peer_id;
if (peer_id in peers) {
/* This could happen if the user joins multiple channels where the
* other peer is also in. */
//console.log("Already connected to peer ", peer_id);
return;
}
const peer_connection = new RTCPeerConnection({
/*configuration: {
offerToReceiveAudio: true,
offerToReceiveVideo: false
},*/
iceServers: [ { urls: "stun:stun.l.google.com:19302" } ]
}, {
/* this will no longer be needed by chrome
* eventually (supposedly), but is necessary
* for now to get firefox to talk to chrome */
{ optional: [{DtlsSrtpKeyAgreement: true}]}
);
optional: [{DtlsSrtpKeyAgreement: true}]
});
peers[peer_id] = peer_connection;
setPeers(Object.assign({}, peers));
peer_connection.onicecandidate = (event) => {
if (event.candidate) {
if (!event.candidate) {
return;
}
ws.send(JSON.stringify({
type: 'relayICECandidate',
config: {
@ -52,7 +170,6 @@ const MediaAgent = ({ game, ws }) => {
}
}
}));
}
};
peer_connection.ontrack = (event) => {
@ -62,30 +179,32 @@ const MediaAgent = ({ game, ws }) => {
muted: true,
controls: true
};
if (window.URL) {
peer_connection.extra = {
srcObject: event.streams[0]
};
peer_connection.attributes.srcObject = event.streams[0];
} else {
peer_connection.extra = {
src: event.streams[0]
};
peer_connection.attributes.src = event.streams[0];
}
setPeers(Object.assign({}, peers));
};
/* Add our local stream */
peer_connection.addStream(local_media_stream);
peer_connection.addStream(stream);
/* Only one side of the peer connection should create the
* offer, the signaling server picks one to be the offerer.
* The other user will get a 'sessionDescription' event and will
* create an offer, then send back an answer 'sessionDescription' to us
* create an offer, then send back an answer 'sessionDescription'
* to us
*/
if (config.should_create_offer) {
console.log("Creating RTC offer to ", peer_id);
peer_connection.createOffer((local_description) => {
console.log("MediaAgent - Creating RTC offer to ", peer_id);
return peer_connection.createOffer()
.then((local_description) => {
console.log("Local offer description is: ", local_description);
peer_connection.setLocalDescription(local_description, () => {
return peer_connection.setLocalDescription(local_description)
.then(() => {
ws.send(JSON.stringify({
type: 'relaySessionDescription',
config: {
@ -94,10 +213,12 @@ const MediaAgent = ({ game, ws }) => {
}
}));
console.log("Offer setLocalDescription succeeded");
}, () => {
console.error("Offer setLocalDescription failed!");
})
}, (error) => {
.catch((error) => {
console.error("Offer setLocalDescription failed!");
});
})
.catch((error) => {
console.log("Error sending offer: ", error);
});
}
@ -110,14 +231,18 @@ const MediaAgent = ({ game, ws }) => {
* the 'offerer' sends a description to the 'answerer' (with type
* "offer"), then the answerer sends one back (with type "answer").
*/
console.log('Remote description received: ', peer_id, session_description);
// console.log('Remote description received: ', peer_id, session_description);
const peer = peers[peer_id];
console.log(session_description);
if (!peer) {
console.error(`No peer for ${peer_id}`);
return;
}
// console.log(session_description);
const desc = new RTCSessionDescription(session_description);
const stuff = peer.setRemoteDescription(desc, () => {
return peer.setRemoteDescription(desc, () => {
console.log("setRemoteDescription succeeded");
if (session_description.type == "offer") {
if (session_description.type === "offer") {
console.log("Creating answer");
peer.createAnswer((local_description) => {
console.log("Answer description is: ", local_description);
@ -134,15 +259,15 @@ const MediaAgent = ({ game, ws }) => {
console.error("Answer setLocalDescription failed!");
});
}, (error) => {
console.log("Error creating answer: ", error);
console.log(peer);
// console.log("Error creating answer: ", error);
console.error(peer);
});
}
}, (error) => {
console.log("setRemoteDescription error: ", error);
});
console.log("Description Object: ", desc);
// console.log("Description Object: ", desc);
};
const removePeer = ({peer_id}) => {
@ -155,176 +280,82 @@ const MediaAgent = ({ game, ws }) => {
setPeers(Object.assign({}, peers));
};
const iceCandidate = (config) => {
const iceCandidate = ({ peer_id, ice_candidate }) => {
/**
* The offerer will send a number of ICE Candidate blobs to the answerer so they
* can begin trying to find the best path to one another on the net.
* The offerer will send a number of ICE Candidate blobs to the
* answerer so they can begin trying to find the best path to one
* another on the net.
*/
const peer = peers[config.peer_id],
ice_candidate = config.ice_candidate;
const peer = peers[peer_id];
if (!peer) {
console.error(`No peer for ${config.peer_id}`);
console.error(`No peer for ${peer_id}`);
return;
}
peer.addIceCandidate(new RTCIceCandidate(ice_candidate))
.then(() => {
console.log(`Successfully added Ice Candidate for ${peer_id}`);
})
.catch((error) => {
console.error(peer, ice_candidate);
console.error(error);
console.error(error, peer, ice_candidate);
});
};
ws.addEventListener('message', (event) => {
let data;
try {
data = JSON.parse(event.data);
} catch (error) {
console.error(error);
return;
const join_chat = (ws) => {
ws.send(JSON.stringify({ type: 'join' }));
}
switch (data.type) {
case 'addPeer': addPeer(data.data); break;
case 'removePeer': removePeer(data.data); break;
case 'iceCandidate': iceCandidate(data.data); break;
case 'sessionDescription': sessionDescription(data.data); break;
}
});
ws.addEventListener('error', (event) => {
console.error(`${game.name} WebSocket error`);
});
ws.addEventListener('close', (event) => {
console.log(`${game.name} Disconnected from signaling server`);
/* Tear down all of our peer connections and remove all the
* media divs when we disconnect */
for (let peer_id in peers) {
peers[peer_id].close();
}
for (let id in peers) {
delete peers[id];
}
setPeers(Object.assign({}, peers));
});
ws.addEventListener('open', (event) => {
setup_local_media(() => {
/* once the user has given us access to their
* microphone/camcorder, join the channel and start peering up */
join_chat_channel(ws, game.id, {'whatever-you-want-here': 'stuff'});
});
});
const setup_local_media = (callback, errorback) => {
if (local_media_stream !== undefined) { /* ie, if we've already been initialized */
if (callback) callback();
return;
}
/* Ask user for permission to use the computers microphone and/or camera,
* attach it to an <audio> or <video> tag if they give us access. */
console.log("Requesting access to local audio / video inputs");
navigator.getUserMedia = (navigator.getUserMedia ||
navigator.webkitGetUserMedia ||
navigator.mozGetUserMedia ||
navigator.msGetUserMedia);
navigator.mediaDevices.getUserMedia({audio: true, video: false})//, "video": true})
.then((stream) => { /* user accepted access to a/v */
console.log("Access granted to audio/video");
local_media_stream = stream;
var local_media = document.querySelector('audio.local');
if (!local_media) {
console.error(`No local media!`);
}
if (window.URL) {
local_media.srcobject = stream;
} else {
local_media.src = stream;
}
if (callback) callback();
})
.catch((error) => { /* user denied access to a/v */
console.error(error);
console.log("Access denied for audio/video");
window.alert("You chose not to provide access to the microphone!" +
"Ketran will have no audio :(");
if (errorback) errorback();
});
};
const join_chat_channel = (ws, channel, userdata) => {
ws.send(JSON.stringify({
type: 'join',
config: { channel, userdata }
}));
}
/*
const part_chat_channel = (channel) => {
ws.send(JSON.stringify({ type: 'part', config: channel }));
ws.send(JSON.stringify({ type: 'part' }));
}
*/
const audioPeers = [];
for (let id in peers) {
const peer = peers[id];
if (peer.attributes) {
audioPeers.push(<audio
ref={el => {
if (!el) {
return;
}
if (peer.extra.srcObject) {
el.srcObject = peer.extra.srcObject;
} else {
el.src = peer.extra.src;
}
}}
key={`Peer-${id}`} className="Remote" {...peer.attributes}/>);
audioPeers.push(
<Audio
key={`Peer-${id}`}
className="Remote"
{...peer.attributes}/>
);
}
}
return <div className="MediaAgent">
<audio className="local" autoPlay="autoplay" muted={true} controls/>
<Audio className="local" srcObject={stream} autoPlay="autoplay" muted={true} controls/>
{ audioPeers }
</div>;
}
const MediaControl = ({game, color }) => {
const MediaControl = ({isSelf, peer}) => {
const [mute, setMute] = useState(false);
const [mic, setMic] = useState(true);
const [noAudio, setNoAudio] = useState(false);
const [rtc, setRtc] = useState(undefined);
if (!game) {
return <></>;
}
const peers = useContext(MediaContext);
/*
if (game.players[color].status !== 'Active') {
return <div className="MediaControl"/>;
}
const isSelf = game.color === color;
if (!rtc) {
// setRtc(RTC({ id: game.id }));
}
*/
const toggleMic = (event) => {
if (peer in peers) {
console.log('found color in peers!');
}
setMic(!mic);
event.stopPropagation();
}
const toggleMute = (event) => {
if (peer in peers) {
console.log('found color in peers!');
}
setMute(!mute);
event.stopPropagation();
}
return (<div className="MediaControl">
return <MediaContext.Provider value={peers}>
<div className="MediaControl">
{ isSelf && <div onClick={toggleMic}>
{ mic && <MicOff color={noAudio ? 'disabled' : 'primary'}/> }
{ !mic && <Mic color={noAudio ? 'disabled' : 'primary'}/> }
@ -333,7 +364,8 @@ const MediaControl = ({game, color }) => {
{ mute && <VolumeOff color={noAudio ? 'disabled' : 'primary'}/> }
{ !mute && <VolumeUp color={noAudio ? 'disabled' : 'primary'}/> }
</div>
</div>);
</div>
</MediaContext.Provider>;
};
export { MediaControl, MediaAgent };
export { MediaControl, MediaAgent, MediaContext };

View File

@ -294,6 +294,11 @@
background-color: rgba(255, 255, 0, 0.5);
}
.Players .PlayerEntry > *:last-child {
display: flex;
flex-grow: 1;
}
.Players .PlayerToggle {
min-width: 5em;

View File

@ -19,7 +19,7 @@ import 'moment-timezone';
import Activities from './Activities.js';
import Placard from './Placard.js';
import PlayersStatus from './PlayersStatus.js';
import { MediaAgent, MediaControl } from './MediaControl.js';
import { MediaAgent, MediaControl, MediaContext } from './MediaControl.js';
import { base, assetsPath, getPlayerName, gamesPath } from './Common.js';
/* Start of withRouter polyfill */
@ -57,39 +57,37 @@ const Development = ({table, type, card, onClick}) => {
);
};
const StartButton = ({ table }) => {
const StartButton = ({ table, game }) => {
const startClick = (event) => {
table.setGameState("game-order").then((state) => {
table.game.state = state;
});
table.setGameState("game-order");
};
return (
<Button disabled={!table.game.color || table.game.active < 2} onClick={startClick}>Start game</Button>
<Button disabled={!game.color || game.active < 2} onClick={startClick}>Start game</Button>
);
};
const GameOrder = ({table}) => {
const GameOrder = ({table, game}) => {
const rollClick = (event) => {
table.throwDice();
}
if (!table.game) {
if (!game) {
return (<></>);
}
let players = [], hasRolled = true;
for (let color in table.game.players) {
const item = table.game.players[color],
name = getPlayerName(table.game.sessions, color);
for (let color in game.players) {
const item = game.players[color],
name = getPlayerName(game.sessions, color);
if (!name) {
continue;
}
if (!item.orderRoll) {
item.orderRoll = 0;
}
if (color === table.game.color) {
if (color === game.color) {
hasRolled = item.orderRoll !== 0;
}
players.push({ name: name, color: color, ...item });
@ -116,7 +114,7 @@ const GameOrder = ({table}) => {
return (
<div className="GameOrder">
{ table.game && <Paper>
{ game && <Paper>
<div className="Title">Game Order</div>
<div className="PlayerList">
{ players }
@ -127,19 +125,19 @@ const GameOrder = ({table}) => {
);
};
const SelectPlayer = ({table, players}) => {
const SelectPlayer = ({table, game, players}) => {
const playerClick = (event) => {
table.stealResource(event.currentTarget.getAttribute('data-color'));
}
if (!table.game) {
if (!game.id) {
return (<></>);
}
let list = players.map(color => {
let item = {
color: color,
name: getPlayerName(table.game.sessions, color)
name: getPlayerName(game.sessions, color)
};
return <div className="SelectPlayerItem"
onClick={playerClick}
@ -152,7 +150,7 @@ const SelectPlayer = ({table, players}) => {
return (
<div className="SelectPlayer">
{ table.game && <Paper>
{ game && <Paper>
<div className="Title">Select Player to Steal From</div>
<div className="SelectPlayerList">
{ list }
@ -162,7 +160,7 @@ const SelectPlayer = ({table, players}) => {
);
};
const Action = ({ table }) => {
const Action = ({ table, game }) => {
const buildClicked = (event) => {
table.buildClicked(event);
};
@ -197,13 +195,12 @@ const Action = ({ table }) => {
table.setSelected("");
}
*/
if (!table.game) {
console.log("Why no game?");
if (!game.id) {
console.log("Why no game id?");
return (<Paper className="Action"/>);
}
const game = table.game,
inLobby = game.state === 'lobby',
const inLobby = game.state === 'lobby',
inGame = game.state === 'normal',
player = game ? game.player : undefined,
hasRolled = (game && game.turn && game.turn.roll) ? true : false,
@ -216,7 +213,7 @@ const Action = ({ table }) => {
return (
<Paper className="Action">
{ inLobby && <>
<StartButton table={table}/>
<StartButton table={table} game={game}/>
<Button disabled={game.color ? false : true} onClick={newTableClick}>New table</Button>
<Button disabled={game.color ? true : false} onClick={() => {table.setState({ pickName: true})}}>Change name</Button> </> }
{ !inLobby && <>
@ -235,15 +232,15 @@ const Action = ({ table }) => {
);
}
const PlayerName = ({table}) => {
const [name, setName] = useState((table && table.game && table.game.name) ? table.game.name : "");
const PlayerName = ({table, game}) => {
const [name, setName] = useState(game.name ? game.name : "");
const nameChange = (event) => {
setName(event.target.value);
}
const sendName = () => {
if (name !== table.game.name) {
if (name !== game.name) {
table.setPlayerName(name);
} else {
table.setError("");
@ -273,35 +270,36 @@ const PlayerName = ({table}) => {
/* This needs to take in a mechanism to declare the
* player's active item in the game */
const Players = ({ table }) => {
const Players = ({ table, game }) => {
const toggleSelected = (key) => {
table.setSelected(table.game.color === key ? "" : key);
table.setSelected(game.color === key ? "" : key);
}
const players = [];
if (!table.game) {
if (!game.id) {
return (<></>);
}
for (let color in table.game.players) {
const item = table.game.players[color], inLobby = table.game.state === 'lobby';
for (let color in game.players) {
const item = game.players[color], inLobby = game.state === 'lobby';
if (!inLobby && item.status === 'Not active') {
continue;
}
let name = getPlayerName(table.game.sessions, color),
selectable = table.game.state === 'lobby' && (item.status === 'Not active' || table.game.color === color);
if (!name) {
name = "Available";
}
let name = getPlayerName(game.sessions, color),
selectable = game.state === 'lobby' && (item.status === 'Not active' || game.color === color);
players.push((
<div
data-selectable={selectable}
data-selected={table.game.color === color}
data-selected={game.color === color}
className="PlayerEntry"
onClick={() => { inLobby && selectable && toggleSelected(color) }}
key={`player-${color}`}>
<PlayerColor color={color}/>{name}
<MediaControl color={color} ws={table.ws} game={table.game}/>
<PlayerColor color={color}/>{name ? name : 'Available' }
{ name && <MediaContext.Provider value={game.peers}>
<MediaControl peer={name} isSelf={game.color === color}/>
</MediaContext.Provider> }
{ !name && <div></div> }
</div>
));
}
@ -321,20 +319,15 @@ class Table extends React.Component {
constructor(props) {
super(props);
this.state = {
total: 0,
wood: 0,
sheep: 0,
brick: 0,
stone: 0,
wheat: 0,
game: null,
message: "",
error: "",
signature: "",
buildActive: false,
cardActive: undefined,
loading: 0,
noNetwork: false
noNetwork: false,
ws: undefined,
peers: {}
};
this.componentDidMount = this.componentDidMount.bind(this);
this.throwDice = this.throwDice.bind(this);
@ -359,25 +352,19 @@ class Table extends React.Component {
this.selectResources = this.selectResources.bind(this);
this.buildItem = this.buildItem.bind(this);
this.mouse = { x: 0, y: 0 };
this.radius = 0.317;
this.loadTimer = null;
this.game = null;
this.pips = [];
this.tiles = [];
this.borders = [];
this.tabletop = null;
this.closest = {
info: {},
tile: null,
road: null,
tradeToken: null,
settlement: null
};
this.peers = {};
this.id = (props.router && props.router.params.id) ? props.router.params.id : 0;
this.setPeers = this.setPeers.bind(this);
}
setPeers(update) {
for (let key in this.peers) {
if (!(key in update)) {
delete this.peers[key];
}
}
this.setState({ peers: Object.assign({}, this.peers, update)});
}
closeCard() {
@ -396,7 +383,7 @@ class Table extends React.Component {
this.setState({ loading: this.state.loading + 1 });
return window.fetch(`${base}/api/v1/games/${this.state.game.id}/${action}/${value}`, {
return window.fetch(`${base}/api/v1/games/${this.state.id}/${action}/${value}`, {
method: "PUT",
cache: 'no-cache',
credentials: 'same-origin',
@ -509,7 +496,7 @@ class Table extends React.Component {
}
this.setState({ loading: this.state.loading + 1 });
return window.fetch(`${base}/api/v1/games/${this.state.game.id}/state/${state}`, {
return window.fetch(`${base}/api/v1/games/${this.state.id}/state/${state}`, {
method: "PUT",
cache: 'no-cache',
credentials: 'same-origin',
@ -531,7 +518,7 @@ class Table extends React.Component {
this.setError(error.message);
}).then(() => {
this.setState({ loading: this.state.loading - 1 });
return this.game.state;
return this.state.state;
});
}
@ -584,38 +571,43 @@ class Table extends React.Component {
}
console.log("Update Game", game);
this.setState( { game } );
this.setState(this.state);
this.game = game;
/* Only update fields that are changing */
for (let key in game) {
if (game[key] === this.state[key]) {
delete game[key];
}
}
console.log(`Updating: `, { ...game });
this.setState( { ...game } );
}
updateMessage() {
const player = (this.game && this.game.color) ? this.game.players[this.game.color] : undefined,
name = this.game ? this.game.name : "";
const player = (this.state.id && this.state.color) ? this.state.players[this.state.color] : undefined,
name = this.state ? this.state.name : "";
let message = <></>;
if (this.state.pickName || !name) {
message = <>{message}Enter the name you would like to be known by, then press&nbsp;<b>ENTER</b>&nbsp;or select &nbsp;<b>SET</b>.</>;
} else {
switch (this.game && this.game.state) {
switch (this.state.state) {
case 'lobby':
message = <>{message}You are in the lobby as&nbsp;<b>{name}</b>.</>;
if (!this.game.color) {
if (!this.state.color) {
message = <>{message}You select one of the <b>Available</b> colors below.</>;
} else {
message = <>{message}You have selected <PlayerColor color={this.game.color}/>.</>;
message = <>{message}You have selected <PlayerColor color={this.state.color}/>.</>;
}
message = <>{message}You can chat with other players below.</>;
if (this.game.active < 2) {
message = <>{message}Once there are two or more players, you can select <StartButton table={this}/>.</>;
if (this.state.active < 2) {
message = <>{message}Once there are two or more players, you can select <StartButton table={this} game={this.state}/>.</>;
} else {
message = <>{message}There are enough players to start the game. Select <StartButton table={this}/> when ready.</>;
message = <>{message}There are enough players to start the game. Select <StartButton table={this} game={this.state}/> when ready.</>;
}
break;
case 'game-order':
if (!player) {
message = <>{message}You are an observer in this game as &nbsp;<b>{name}</b>.</>;
message = <>{message}You can chat with other players below as&nbsp;<b>{this.game.name}</b>, but cannot play unless players go back to the Lobby.</>;
message = <>{message}You can chat with other players below as&nbsp;<b>{this.state.name}</b>, but cannot play unless players go back to the Lobby.</>;
} else {
if (!player.order) {
message = <>{message}You need to roll for game order. Click&nbsp;<b>Roll Dice</b>&nbsp;below.</>;
@ -638,33 +630,33 @@ class Table extends React.Component {
message = <>{message}The game is in a wonky state. Sorry :(</>;
break;
case 'normal':
if (this.game && this.game.turn) {
if (this.game.turn.roll === 7) {
if (this.state.turn) {
if (this.state.turn.roll === 7) {
message = <>{message}Robber was rolled!</>;
let move = true;
for (let color in this.game.players) {
for (let color in this.state.players) {
let name = '';
for (let i = 0; i < this.game.sessions.length; i++) {
if (this.game.sessions[i].color === color) {
name = this.game.sessions[i].name;
for (let i = 0; i < this.state.sessions.length; i++) {
if (this.state.sessions[i].color === color) {
name = this.state.sessions[i].name;
}
}
const discard = this.game.players[color].mustDiscard;
const discard = this.state.players[color].mustDiscard;
if (discard) {
move = false;
message = <>{message}<PlayerColor color={color}/> {name} needs to discard {discard} resources.</>;
}
}
if (move && (this.game.turn && !this.game.turn.placedRobber)) {
message = <>{message}<PlayerColor color={this.game.turn.color}/> {this.game.turn.name} needs to move the robber.</>
if (move && (this.state.turn && !this.state.turn.placedRobber)) {
message = <>{message}<PlayerColor color={this.state.turn.color}/> {this.state.turn.name} needs to move the robber.</>
}
} else {
message = <>It is <PlayerColor color={this.game.turn.color}/> {this.game.turn.name}'s turn.</>;
message = <>It is <PlayerColor color={this.state.turn.color}/> {this.state.turn.name}'s turn.</>;
}
}
break;
default:
message = <>{message}Game state is: {this.game.state}</>;
message = <>{message}Game state is: {this.state.state}</>;
break;
}
}
@ -679,7 +671,7 @@ class Table extends React.Component {
delete this.ws;
}
} else {
console.log(`${this.game.name} Resetting keep-alive. Last ping: ${(Date.now() - this.lastPing) / 1000}`);
// console.log(`${this.game.name} Resetting keep-alive. Last ping: ${(Date.now() - this.lastPing) / 1000}`);
}
if (this.keepAlive) {
@ -690,7 +682,7 @@ class Table extends React.Component {
}
this.keepAlive = setTimeout(() => {
console.log(`${this.game.name} No ping after 10 seconds. Last ping: ${(Date.now() - this.lastPing) / 1000}`);
console.log(`${this.state.name} No ping after 10 seconds. Last ping: ${(Date.now() - this.lastPing) / 1000}`);
this.setState({ noNetwork: true });
if (this.ws) {
this.ws.close();
@ -707,7 +699,7 @@ class Table extends React.Component {
}
connectWebSocket() {
if (!this.game) {
if (!this.state.id) {
console.log(`Cannot initiate websocket connection while no game is set.`);
this.resetKeepAlive(true);
return;
@ -721,11 +713,12 @@ class Table extends React.Component {
} else {
new_uri = "ws";
}
new_uri = `${new_uri}://${loc.host}${base}/api/v1/games/ws/${this.game.id}/`;
new_uri = `${new_uri}://${loc.host}${base}/api/v1/games/ws/${this.state.id}/`;
console.log(`Attempting WebSocket connection to ${new_uri}`);
this.ws = new WebSocket(new_uri);
this.lastPing = this.game.timestamp;
this.setState({ ws: this.ws });
this.lastPing = this.state.timestamp;
this.ws.addEventListener('message', (event) => {
this.resetKeepAlive();
@ -758,18 +751,18 @@ class Table extends React.Component {
this.ws.addEventListener('error', (event) => {
this.setState({ error: event.message });
console.error(`${this.game.name} WebSocket error: ${(Date.now() - this.game.lastPing) / 1000}`);
console.error(`${this.state.name} WebSocket error: ${(Date.now() - this.state.lastPing) / 1000}`);
this.resetKeepAlive(true);
});
this.ws.addEventListener('close', (event) => {
console.log(`${this.game.name} WebSocket close: ${(Date.now() - this.game.lastPing) / 1000}`);
console.log(`${this.state.name} WebSocket close: ${(Date.now() - this.state.lastPing) / 1000}`);
this.setState({ error: event.message });
this.resetKeepAlive(true);
});
this.ws.addEventListener('open', (event) => {
console.log(`${this.game.name} WebSocket open: Sending game-update request: ${(Date.now() - this.lastPing) / 1000}`);
console.log(`${this.state.name} WebSocket open: Sending game-update request: ${(Date.now() - this.lastPing) / 1000}`);
this.ws.send(JSON.stringify({ type: 'game-update' }));
this.resetKeepAlive();
});
@ -877,15 +870,11 @@ class Table extends React.Component {
}
cardClicked(card) {
const game = this.state.game;
if (!game) {
return;
}
this.setState({cardActive: card });
}
render() {
const game = this.state.game,
const game = this.state,
player = game ? game.player : undefined,
isTurn = (game && game.turn && game.turn.color === game.color) ? true : false,
showMessage = (game && (game.state === 'lobby' || !game.name));
@ -928,26 +917,30 @@ class Table extends React.Component {
development = <>/</>;
}
if (!this.game) {
if (!this.state.id) {
return <></>;
}
return (<>
<MediaAgent table={this}/>
<MediaContext.Provider value={{peers: this.peers, setPeers: this.setPeers}}>
<MediaAgent ws={this.state.ws} name={this.state.name}/>
</MediaContext.Provider>
<div className="Table">
{ this.state.loading > 0 && <CircularProgress className='Loading'/> }
{ this.state.noNetwork && <div className='NoNetwork'/> }
{ this.game && <Activities table={this}/> }
<Activities table={this.state}/>
<div style={{display: "inline-flex", flex: 1, flexDirection: "column"}}>
<Board table={this} game={game}/>
<Board table={this} game={this.state}/>
{ player !== undefined && <>
<PlayersStatus table={this}/>
<PlayersStatus table={this} game={this.state}/>
<PlayersStatus active={true}
onClick={this.buildItem}
table={this} color={this.game.color}/>
table={this}
game={this.state}
color={this.state.color}/>
<div className="BottomBar">
<div className="Hand">
<Resource type="wood" count={player.wood}/>
@ -984,11 +977,11 @@ class Table extends React.Component {
{ game && <div className={'Game ' + game.state}>
{ showMessage && <Paper className="Message">{ this.state.message }</Paper> }
{(this.state.pickName || !game.name) && <PlayerName table={this}/> }
{(this.state.pickName || !game.name) && <PlayerName table={this} game={this.state}/> }
{(!this.state.pickName && game.name) && <>
<Players table={this}/>
<Chat table={this}/>
<Action table={this}/>
<Players table={this} game={this.state}/>
<Chat table={this} game={this.state}/>
<Action table={this} game={this.state}/>
</> }
</div> }
@ -1020,7 +1013,7 @@ class Table extends React.Component {
game.turn &&
isTurn &&
game.turn.actions && game.turn.actions.indexOf('steal-resource') !== -1 &&
<SelectPlayer table={this} players={game.turn.limits.players}/>
<SelectPlayer table={this} game={this.state} players={game.turn.limits.players}/>
}
{ this.state.error && <Paper onClick={() => this.setState({ error: undefined })} className="Error"><div>{this.state.error}</div></Paper> }

View File

@ -92,7 +92,9 @@ const staticData = {
[ undefined, "stone", undefined ]
]
};
const games = {};
const audio = {};
const processTies = (players) => {
players.sort((A, B) => {
@ -470,7 +472,7 @@ const getSession = (game, session) => {
}
if (!session.player_id) {
session.player_id = crypto.randomBytes(32).toString('hex');
session.player_id = crypto.randomBytes(16).toString('hex');
}
const id = session.player_id;
@ -782,6 +784,8 @@ const setPlayerName = (game, session, name) => {
if (session.color) {
return `You cannot change your name while you have a color selected.`;
}
const id = game.id;
let rejoin = false;
/* Check to ensure name is not already in use */
if (game && name) for (let key in game.sessions) {
@ -811,20 +815,31 @@ const setPlayerName = (game, session, name) => {
const old = session.name;
let message;
session.name = name;
if (!name) {
return `You can not set your name to nothing!`;
}
if (name) {
if (!old) {
message = `A new player has entered the lobby as ${name}.`;
session.name = name;
} else {
if (rejoin) {
message = `${name} has rejoined the game! Welcome back, ${name}.`;
session.name = name;
if (session.ws && id in audio) {
part(audio[id], session, game.id);
}
} else {
message = `${old} has changed their name to ${name}.`;
if (session.ws && id in audio) {
part(audio[id], session, game.id);
}
session.name = name;
}
}
} else {
return `You can not set your name to nothing!`;
if (session.ws) {
join(audio[id], session, game.id);
}
addChatMessage(game, null, message);
@ -2719,28 +2734,59 @@ const resetDisconnectCheck = (game, req) => {
//req.disconnectCheck = setTimeout(() => { wsInactive(game, req) }, 20000);
}
const channels = {},
sockets = {};
const join = (peers, session, id) => {
const ws = session.ws;
const part = (ws, channel) => {
console.log(`[${ws.id}] part `);
if (!(channel in ws.channels)) {
console.log(`[${ws.id}] ERROR: not in `, channel);
if (!session.name) {
console.error(`${id}:${session.id} - join - No name set yet. Audio not available.`);
return;
}
delete ws.channels[channel];
delete channels[channel][id];
console.log(`${id} - join - ${session.name}`);
for (id in channels[channel]) {
channels[channel][id].send(JSON.stringify({
if (session.name in peers) {
console.log(`${id}:${session.name} - Already joined to Audio.`);
return;
}
for (let peer in peers) {
peers[peer].send(JSON.stringify({
type: 'addPeer',
data: { 'peer_id': peer, 'should_create_offer': false }
}));
ws.send(JSON.stringify({
type: 'addPeer',
data: {'peer_id': peer, 'should_create_offer': true}
}));
}
/* Add this user as a peer connected to this WebSocket */
peers[session.name] = ws;
};
const part = (peers, session, id) => {
const ws = session.ws;
console.log(`${id}:${session.name} - Audio part.`);
if (!(session.name in peers)) {
console.log(`${id}:${session.name} - Does not exist in game audio.`);
return;
}
delete peers[session.name];
/* Remove this peer from all other peers, and remove each
* peer from this peer */
for (let peer in peers) {
peers[peer].send(JSON.stringify({
type: 'removePeer',
data: {'peer_id': id}
data: {'peer_id': peer}
}));
ws.send(JSON.stringify({
type: 'removePeer',
data: {'peer_id': id}
data: {'peer_id': peer}
}));
}
};
@ -2749,12 +2795,13 @@ router.ws("/ws/:id", async (ws, req) => {
const { id } = req.params;
ws.id = req.session.player_id;
ws.channels = {},
sockets[ws.id] = ws;
console.log(`Connection for ${ws.id}`);
if (!(id in audio)) {
audio[id] = {}; /* List of peer sockets using session.name as index. */
console.log(`${id} - New Game Audio`);
} else {
console.log(`${id} - Already has Audio`);
}
/* Setup WebSocket event handlers prior to performing any async calls or
* we may miss the first messages from clients */
@ -2782,93 +2829,88 @@ router.ws("/ws/:id", async (ws, req) => {
const game = await loadGame(id);
if (game) {
const session = getSession(game, req.session);
console.log(`WebSocket closed for ${session.name}`);
if (session && session.ws) {
/* Cleanup any voice channels */
if (id in audio) {
part(audio[id], session, id);
}
session.ws.close();
session.ws = undefined;
console.log(`WebSocket closed for ${session.name}`);
}
}
/* Cleanup any voice channels */
for (let channel in ws.channels) {
part(channel);
}
console.log(`[${ws.id}] disconnected`);
delete sockets[ws.id];
console.log(`${id}:${ws.id} - closed connection`);
});
ws.on('message', async (message) => {
const data = JSON.parse(message);
const game = await loadGame(id);
if (!game) {
console.error(`Unable to load/create new game for WS request.`);
return;
}
const session = getSession(game, req.session);
if (!session) {
console.error(`Unable to obtain session.`);
return;
}
if (!session.ws) {
session.ws = ws;
}
switch (data.type) {
case 'join': {
const { channel, userdata } = data.config;
console.log(`[${ws.id}] join `, channel);
if (channel in ws.channels) {
console.log(`[${ws.id}] ERROR: already joined `, channel);
return;
}
if (!(channel in channels)) {
channels[channel] = {};
}
for (let id in channels[channel]) {
channels[channel][id].send(JSON.stringify({
type: 'addPeer',
data: { 'peer_id': id, 'should_create_offer': false }
}));
ws.send(JSON.stringify({
type: 'addPeer',
data: {'peer_id': id, 'should_create_offer': true}
}));
}
channels[channel][ws.id] = ws;
ws.channels[channel] = channel;
} break;
case 'part':
part(ws, data.part);
case 'join':
join(audio[id], session, id);
break;
case 'relayICECandidate': {
const { peer_id, ice_candidate } = data.config;
console.log(`[${ws.id}] relaying ICE candidate to [${peer_id}] `, ice_candidate);
if (peer_id in sockets) {
sockets[peer_id].send(JSON.stringify({
case 'part':
part(audio[id], session, id);
break;
case 'relayICECandidate': {
if (!(id in audio)) {
console.error(`${id} - relayICECandidate - Does not have Audio`);
return;
}
const { peer_id, ice_candidate } = data.config;
console.log(`${id} - relayICECandidate ${session.name} to ${peer_id}`,
ice_candidate);
if (peer_id in audio[id]) {
audio[id][peer_id].send(JSON.stringify({
type: 'iceCandidate',
data: {'peer_id': ws.id, 'ice_candidate': ice_candidate }
data: {'peer_id': session.name, 'ice_candidate': ice_candidate }
}));
}
} break;
case 'relaySessionDescription': {
if (!(id in audio)) {
console.error(`${id} - relaySessionDescription - Does not have Audio`);
return;
}
const { peer_id, session_description } = data.config;
console.log(`[${ws.id}] relaying session description to [${peer_id}] `, session_description);
if (peer_id in sockets) {
sockets[peer_id].send(JSON.stringify({
console.log(`${id} - relaySessionDescription ${session.name} to ${peer_id}`,
session_description);
if (peer_id in audio[id]) {
audio[id][peer_id].send(JSON.stringify({
type: 'sessionDescription',
data: {'peer_id': ws.id, 'session_description': session_description }
data: {'peer_id': session.name, 'session_description': session_description }
}));
}
} break;
case 'pong': {
const game = await loadGame(id);
if (!game) {
console.error(`Unable to load/create new game for WS request.`);
return;
}
case 'pong':
resetDisconnectCheck(game, req);
} break;
case 'game-update': {
const game = await loadGame(id);
if (!game) {
console.error(`Unable to load/create new game for WS request.`);
return;
}
break;
case 'game-update':
console.log(`Player ${session.name ? session.name : 'Unnamed'} requested a game update.`);
resetDisconnectCheck(game, req);
sendGame(req, undefined, game, undefined, ws);
} break;
break;
}
});
@ -3284,7 +3326,7 @@ const createGame = (id) => {
addChatMessage(game, null, `New game created with Beginner's Layout: ${game.id}`);
games[game.id] = game;
audio[game.id] = {};
return game;
};