index.js 2.5 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117
  1. const express = require('express');
  2. const cors = require('cors')
  3. var app = express()
  4. var http = require('http').Server(app);
  5. var io = require('socket.io')(http);
  6. app.use(express.static('public'))
  7. app.use(cors())
  8. const rnd = max => Math.floor(Math.random() * max)
  9. class Card {
  10. constructor(health, hit, price){
  11. this.health = health;
  12. this.hit = hit;
  13. this.price = price;
  14. this.hitHistory = []
  15. }
  16. get alive(){
  17. return this.health > 0
  18. }
  19. hitBy(enemy){ //hit to THIS from ENEMY
  20. this.hitHistory.push({enemy, health: this.health})
  21. this.health -= enemy.hit
  22. }
  23. static battle(card1, card2){
  24. card2.hitBy(card1) //card1 -> card2
  25. if (card2.alive)
  26. card1.hitBy(card2)
  27. }
  28. }
  29. class Deck {
  30. constructor(config={count: 100, maxHealth: 10, maxHit: 10, priceGet=(health, hit) => health + hit}){
  31. const { count, maxHealth, maxHit, priceGet } = config;
  32. this.deck = []
  33. for (let i=0;i<count;i++){
  34. let health = rnd(maxHealth)
  35. let hit = rnd(maxHit)
  36. this.deck.push(new Card(health, hit, priceGet(health, hit)))
  37. }
  38. }
  39. pop(){
  40. return this.deck.pop()
  41. }
  42. get left(){
  43. return this.deck.length
  44. }
  45. }
  46. class Player {
  47. constructor(deck, startMoney=10, turnMoney=1){
  48. this.deck = deck
  49. this.money = startMoney
  50. this.turnMoney = turnMoney
  51. this.hand = []
  52. }
  53. turn(){
  54. this.money += this.turnMoney
  55. const card = this.deck.pop()
  56. if (card){
  57. this.hand.push(card)
  58. }
  59. }
  60. }
  61. class Game {
  62. constructor(player1, player2, config={deck: {count: 100, maxHealth: 10, maxHit: 10}}){
  63. this.player1 = player1
  64. this.player2 = player2
  65. this.turn = Math.random() > 0.5
  66. }
  67. }
  68. const gamers = new Proxy({}, {
  69. get(obj, id){
  70. return obj[id]
  71. },
  72. set(obj, id, value){
  73. console.log('SET', id, value)
  74. if (!value) delete obj[id]
  75. else obj[id] = value
  76. console.log(obj)
  77. io.emit('gamers', obj) //broadcast
  78. }
  79. })
  80. io.on('connection', socket => {
  81. const id = socket.id
  82. // gamers[id] = {};
  83. socket.emit('id', id)
  84. socket.on('hi', data => gamers[id] = {...gamers[id], nick: data.nick, ready: data.ready})
  85. socket.on('start', data => console.log('START', data))
  86. socket.on('disconnect', () => {
  87. gamers[id] = null
  88. })
  89. })
  90. http.listen(4000, function(){
  91. console.log(`listening`);
  92. });