-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathaccounts.php
349 lines (306 loc) · 10.2 KB
/
accounts.php
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
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
#!/usr/bin/env php
<?php
/**
* Gets users from "master" submitty DB and creates PAM authentication accounts.
*
* This script will read all user IDs of all active Submitty courses and create
* PAM authentication accounts on the Submitty server. This script is intended
* to be run from the CLI as a scheduled cron job, and should not be executed as
* part of a website. This script is not needed when using database
* authentication.
*
* Example Crontab that runs the script ever half hour on the hour
* (e.g. 8:30, 9:30, 10:30, etc.)
*
* "30 * * * * /var/local/submitty/bin/accounts.php"
*
* You may specify on the command line:
* "-t [term code]" make auth accounts for [term code].
* "-g" can be used to guess the term by the server's calendar month and year.
* "-a" will make auth accounts for all instructors and all active courses.
* "-r" will remove grader and student auth accounts from inactive courses.
* For example:
*
* ./accounts.php -t s18
*
* Will create PAM auth accounts for the Spring 2018 semester.
*
* @author Peter Bailie, Systems Programmer (RPI dept of computer science)
*/
error_reporting(null);
ini_set('display_errors', '0');
//Database access configuration from Submitty
define('DB_CONFIG_PATH', '/usr/local/submitty/config/database.json');
//Location of accounts creation error log file
define('ERROR_LOG_FILE', 'accounts_script_error.log');
//Where to email error messages so they can get more immediate attention.
//Set to null to not send email.
define('ERROR_EMAIL', '[email protected]');
/* SUGGESTED SETTINGS FOR TIMEZONES IN USA -------------------------------------
*
* Eastern ........... America/New_York
* Central ........... America/Chicago
* Mountain .......... America/Denver
* Mountain no DST ... America/Phoenix
* Pacific ........... America/Los_Angeles
* Alaska ............ America/Anchorage
* Hawaii ............ America/Adak
* Hawaii no DST ..... Pacific/Honolulu
*
* For complete list of timezones, view http://php.net/manual/en/timezones.php
*
* -------------------------------------------------------------------------- */
//University campus's timezone.
date_default_timezone_set('America/New_York');
//Start process
new make_accounts();
/** Class constructor manages script workflow */
class make_accounts {
/** @static @var resource pgsql database connection */
private static $db_conn;
/** @static @var string what workflow to process */
private static $workflow;
/** @static @var array paramater list for DB query */
private static $db_params;
/** @static @var string DB query to be run */
private static $db_query;
/** @static @var string function to call to process $workflow */
private static $workflow_function;
/** @static @var array user_id list of 'auth only accounts', read from /etc/passwd */
private static $auth_only_accounts;
public function __construct() {
//IMPORTANT: This script needs to be run as root!
if (posix_getuid() !== 0) {
exit("This script must be run as root." . PHP_EOL);
}
//This is run from the command line, not a webpage.
if (PHP_SAPI !== 'cli') {
exit("This script must be run from the command line." . PHP_EOL);
}
//Init class properties, quit on error.
if ($this->init() === false) {
exit(1);
}
//Do workflow, quit on error.
if ($this->process() === false) {
exit(1);
}
//All done.
exit(0);
}
public function __destruct() {
//Close DB connection, if it exists.
if (pg_connection_status(self::$db_conn) === PGSQL_CONNECTION_OK) {
pg_close(self::$db_conn);
}
}
/**
* Initialize class properties, based on self::$workflow
*
* @access private
* @return boolean TRUE on success, FALSE when there is a problem.
*/
private function init() {
//Check CLI args.
if (($cli_args = cli_args::parse_args()) === false) {
return false;
}
self::$workflow = $cli_args[0];
self::$db_params = is_null($cli_args[1]) ? array() : array($cli_args[1]);
//Define database query AND system call based on workflow.
switch(self::$workflow) {
case 'term':
self::$db_query = <<<SQL
SELECT DISTINCT user_id
FROM courses_users
WHERE term=$1
SQL;
self::$workflow_function = 'add_user';
break;
case 'active':
self::$db_query = <<<SQL
SELECT DISTINCT cu.user_id
FROM courses_users as cu
LEFT OUTER JOIN courses as c ON cu.course=c.course AND cu.term=c.term
WHERE cu.user_group=1 OR (cu.user_group<>1 AND c.status=1)
SQL;
self::$workflow_function = 'add_user';
break;
case 'clean':
//'clean' workflow requires list of 'auth only accounts' from /etc/passwd.
self::$auth_only_accounts = array();
if (($fh = fopen('/etc/passwd', 'r')) === false) {
$this->logit("Cannot open '/etc/passwd' to check for auth only accounts.");
return false;
}
while (($row = fgetcsv($fh, 0, ':')) !== false) {
if (strpos($row[4], 'auth only account') !== false) {
self::$auth_only_accounts[] = $row[0];
}
}
fclose($fh);
self::$db_query = <<<SQL
SELECT DISTINCT cu.user_id
FROM courses_users as cu
LEFT OUTER JOIN courses as c ON cu.course=c.course AND cu.term=c.term
WHERE cu.user_group<>1 AND c.status<>1
SQL;
self::$workflow_function = 'remove_user';
break;
default:
$this->log_it("Invalid self::$workflow during init()");
return false;
}
//Signal success
return true;
}
/**
* Process workflow
*
* @access private
* @return boolean TRUE on success, FALSE when there is a problem.
*/
private function process() {
//Connect to database. Quit on failure.
if ($this->db_connect() === false) {
$this->log_it("Submitty Auto Account Creation: Cannot connect to DB {$db_name}.");
return false;
}
//Get user list based on command. Quit on failure.
if (($result = pg_query_params(self::$db_conn, self::$db_query, self::$db_params)) === false) {
$this->log_it("Submitty Auto Account Creation: Cannot read user list from {$db_name}.");
return false;
}
$num_rows = pg_num_rows($result);
for ($i = 0; $i < $num_rows; $i++) {
$user = pg_fetch_result($result, $i, 'user_id');
call_user_func(array($this, self::$workflow_function), $user);
}
//Signal success
return true;
}
/**
* Establish connection to Submitty Database
*
* @access private
* @return boolean TRUE on success, FALSE when there is a problem.
*/
private function db_connect() {
$json_str = file_get_contents(DB_CONFIG_PATH);
$db_config = json_decode($json_str, true);
$db_host = $db_config['database_host'];
$db_user = $db_config['database_user'];
$db_pass = $db_config['database_password'];
self::$db_conn = pg_connect("dbname=submitty host={$db_host} user={$db_user} password={$db_pass} sslmode=prefer");
if (pg_connection_status(self::$db_conn) !== PGSQL_CONNECTION_OK) {
$this->log_it(pg_last_error(self::$db_conn));
return false;
}
//Signal success
return true;
}
/**
* Add a user for authentication with PAM.
*
* @access private
* @param string $user User ID to added.
*/
private function add_user($user) {
system("/usr/sbin/adduser --quiet --home /tmp --gecos 'auth only account' --no-create-home --disabled-password --shell /usr/sbin/nologin {$user} > /dev/null 2>&1");
}
/**
* Remove an 'auth only user' from authenticating with PAM
*
* @access private
* @param string $user User ID to be checked/removed.
*/
private function remove_user($user) {
//Make sure $user is an "auth only account" before removing.
if (array_search($user, self::$auth_only_accounts) !== false) {
system("/usr/sbin/deluser --quiet {$user} > /dev/null 2>&1");
}
}
/**
* Log message to email and text files
*
* @access private
* @param string $msg
*/
private function log_it($msg) {
$msg = date('m/d/y H:i:s : ', time()) . $msg . PHP_EOL;
error_log($msg, 3, ERROR_LOG_FILE);
if (!is_null(ERROR_EMAIL)) {
error_log($msg, 1, ERROR_EMAIL);
}
}
} //END class make_accounts
/**
* class to parse command line arguments
*
* @static
*/
class cli_args {
/** @var string usage help message */
private static $help_usage = "Usage: accounts.php [-h | --help] (-a | -t [term code] | -g | -r)" . PHP_EOL;
/** @var string short description help message */
private static $help_short_desc = "Read student enrollment from Submitty DB and create accounts for PAM auth." . PHP_EOL;
/** @var string argument list help message */
private static $help_args_list = <<<HELP
Arguments
-h --help Show this help message.
-a Make auth accounts for all active courses.
-t [term code] Make auth accounts for specified term code.
-g Make auth accounts for guessed term code, based on calendar
month and year.
-r Remove auth accounts from inactive courses.
NOTE: Argument precedence order is -a, -t, -g, -r. One is required.
HELP;
/**
* Parse command line arguments
*
* Called with 'cli_args::parse_args()'
*
* @access public
* @return array consisting of process command (string) and possibly associated term code (string or null) or boolean false on error.
*/
public static function parse_args() {
$args = getopt('t:agrh', array('help'));
switch(true) {
case array_key_exists('h', $args):
case array_key_exists('help', $args):
self::print_help();
return false;
case array_key_exists('a', $args):
return array("active", null);
case array_key_exists('t', $args):
return array("term", $args['t']);
case array_key_exists('g', $args):
//Guess current term
//(s)pring is month <= 5, (f)all is month >= 8, s(u)mmer are months 6 and 7.
//if ($month <= 5) {...} else if ($month >= 8) {...} else {...}
$month = intval(date("m", time()));
$year = date("y", time());
return ($month <= 5) ? array("term", "s{$year}") : (($month >= 8) ? array("term", "f{$year}") : array("term", "u{$year}"));
case array_key_exists('r', $args):
return array("clean", null);
default:
print self::$help_usage . PHP_EOL;
return false;
}
}
/**
* Print extended help to console
*
* @access private
*/
private static function print_help() {
//Usage
print self::$help_usage . PHP_EOL;
//Short description
print self::$help_short_desc . PHP_EOL;
//Arguments list
print self::$help_args_list . PHP_EOL;
}
} //END class parse_args
/* EOF ====================================================================== */
?>