-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathsave.js
144 lines (123 loc) · 4.57 KB
/
save.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
const fs = require('fs');
const csv = require('csv-parser');
const tf = require('@tensorflow/tfjs-node');
// Load and preprocess data
async function loadData(filePath) {
const matches = [];
const teams = new Set();
return new Promise((resolve, reject) => {
fs.createReadStream(filePath)
.pipe(csv())
.on('data', (row) => {
// Collect unique team names
teams.add(row.Home);
teams.add(row.Away);
// Convert columns to numerical data
matches.push({
season_end_year: parseInt(row.Season_End_Year, 10),
week: parseInt(row.Wk, 10),
date: row.Date,
home_team: row.Home,
away_team: row.Away,
home_goals: parseInt(row.HomeGoals, 10),
away_goals: parseInt(row.AwayGoals, 10),
result: row.FTR === 'H' ? 1 : (row.FTR === 'A' ? -1 : 0)
});
})
.on('end', () => {
resolve({ matches, teams: Array.from(teams) });
})
.on('error', (error) => {
reject(error);
});
});
}
// Encode team names into numerical values
function encodeTeams(teams) {
const teamToIndex = {};
teams.forEach((team, index) => {
teamToIndex[team] = index;
});
return teamToIndex;
}
// Prepare data for training
function prepareData(matches, teamToIndex) {
const inputs = [];
const outputs = [];
matches.forEach(match => {
inputs.push([teamToIndex[match.home_team], teamToIndex[match.away_team]]);
outputs.push(match.result); // Encoded result
});
return {
inputs: tf.tensor2d(inputs),
outputs: tf.tensor1d(outputs, 'int32') // Ensure outputs are int32
};
}
// Create and train the model
async function createModel(inputs, outputs) {
const model = tf.sequential();
model.add(tf.layers.dense({ units: 10, activation: 'relu', inputShape: [2] }));
model.add(tf.layers.dense({ units: 3, activation: 'softmax' })); // 3 classes: win, draw, lose
model.compile({
optimizer: 'adam',
loss: 'sparseCategoricalCrossentropy',
metrics: ['accuracy']
});
// Convert outputs to float32 for compatibility
const floatOutputs = outputs.toFloat();
// Train the model
await model.fit(inputs, floatOutputs, {
epochs: 100,
batchSize: 10,
shuffle: true
});
return model;
}
// Save the model to the local file system
async function saveModel(model, filePath) {
await model.save(`file://${filePath}`);
}
// Load the model from the local file system
async function loadModel(filePath) {
return await tf.loadLayersModel(`file://${filePath}/model.json`);
}
// Function to predict the outcome for a given home and away team
function predictOutcome(model, teamToIndex, homeTeam, awayTeam) {
const homeIndex = teamToIndex[homeTeam];
const awayIndex = teamToIndex[awayTeam];
const inputTensor = tf.tensor2d([[homeIndex, awayIndex]]);
const prediction = model.predict(inputTensor);
return prediction.arraySync()[0]; // Get prediction as an array
}
// Main function to execute the program
async function main() {
const filePath = 'premier-league-matches.csv'; // Your CSV file path
const modelFilePath = './model'; // Directory to save/load the model
try {
const { matches, teams } = await loadData(filePath);
const teamToIndex = encodeTeams(teams);
const { inputs, outputs } = prepareData(matches, teamToIndex);
let model;
if (fs.existsSync(`${modelFilePath}/model.json`)) {
// Load the model if it exists
model = await loadModel(modelFilePath);
console.log('Model loaded successfully!');
} else {
// Train a new model and save it
model = await createModel(inputs, outputs);
await saveModel(model, modelFilePath);
console.log('Model trained and saved successfully!');
}
// Example prediction
const homeTeam = 'Arsenal';
const awayTeam = 'Manchester Utd';
const prediction = predictOutcome(model, teamToIndex, homeTeam, awayTeam);
console.log(`Prediction for ${homeTeam} vs ${awayTeam}:`);
console.log(`Home Win Probability: ${prediction[0]}`);
console.log(`Draw Probability: ${prediction[1]}`);
console.log(`Away Win Probability: ${prediction[2]}`);
} catch (error) {
console.error('Error:', error);
}
}
main();