forked from samrocketman/jenkins-script-console-scripts
-
Notifications
You must be signed in to change notification settings - Fork 0
/
audit-user-permissions.groovy
276 lines (266 loc) · 11.6 KB
/
audit-user-permissions.groovy
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
/*
Copyright (c) 2015-2022 Sam Gleske - https://github.com/samrocketman/jenkins-script-console-scripts
Permission is hereby granted, free of charge, to any person obtaining a copy of
this software and associated documentation files (the "Software"), to deal in
the Software without restriction, including without limitation the rights to
use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of
the Software, and to permit persons to whom the Software is furnished to do so,
subject to the following conditions:
The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS
FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR
COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER
IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN
CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
*/
/**
This Jenkins script runs through accounts in Jenkins and highlights the
permissions of each user. This script can be run from a Jenkins job via
"Execute system Groovy script" or the script console.
This script is useful for identifying users who might have more access than
they need (web search "principle of least privilege"). This can also help
identify users who should be deleted.
Notes:
- This script only reads user privileges and does not do anything destructive
(i.e. it will not delete users).
- This audit list only contains users which exist in Jenkins.
- Accounts from security realm groups will have a Jenkins user created only when
they log in the first time. Security realm users who have not logged in
but would still get permissions are not counted here.
- Jenkins automatically creates users from SCM authors in order to track
their work across jobs and repositories. Therefore, it's possible accounts
will exist in Jenkins which are not available in the security realm. These
are not a concern.
- Groovy bindings `out` and `build` are available in Jenkins jobs running via
the "Execute system Groovy script" build step. It serves as a reliable
means of detecting whether or not this script is run from the script
console or a job.
*/
import hudson.model.Item
import hudson.model.User
import hudson.security.Permission
import hudson.security.PermissionGroup
import hudson.security.SidACL
import hudson.tasks.Mailer
import jenkins.model.Jenkins
import org.acegisecurity.Authentication
import org.acegisecurity.userdetails.UsernameNotFoundException
if(!binding.hasVariable('writeToFile')) {
writeToFile = false
}
if(!binding.hasVariable('includeCoreAccounts')) {
includeCoreAccounts = true
}
if(writeToFile in String) {
writeToFile = ('true' == writeToFile.toLowerCase())
}
if(includeCoreAccounts in String) {
includeCoreAccounts = ('true' == includeCoreAccounts.toLowerCase())
}
if(!(writeToFile instanceof Boolean)) {
throw new Exception('ERROR: writeToFile must be a boolean.')
}
if(!(includeCoreAccounts instanceof Boolean)) {
throw new Exception('ERROR: includeCoreAccounts must be a boolean.')
}
/**
This class simplifies getting details about a user and their access in a CSV
format. Not only will it get permissions but it will smartly populate notes
about a user based on known facts and issues.
*/
class UserCSV {
private String id
private String email
private String fullName
private Authentication impersonate
private boolean coreAccount = false
private boolean builtinAccount = false
private static SidACL acl = Jenkins.instance.authorizationStrategy.rootACL
private static List<Permission> permissions = PermissionGroup.all*.permissions.flatten().findAll { Permission p ->
!(this.displayPermission(p) in ['Overall:ConfigureUpdateCenter', 'Overall:RunScripts', 'Overall:UploadPlugins']) &&
!this.displayPermission(p).startsWith('N/A')
}
private static Permission admin = permissions.find { it.name == 'Administer' }
private List<String> notes = []
private String global_permissions = 'No permissions'
private String item_permissions = 'No permissions'
/**
A new instance determines a user's access to Jenkins.
*/
def UserCSV(User u) {
this.id = u.id ?: ''
this.email = this.getEmail(u)
this.fullName = u.fullName ?: ''
switch(id) {
case 'admin':
this.notes << 'This built-in account is the first account created in the Jenkins 2.0 setup wizard when you set up Jenkins the first time.'
this.notes << 'This account should be deleted because it is a default Jenkins account.'
break
case 'anonymous':
this.notes << 'This core pseudo account is for users who are not authenticated with Jenkins a.k.a. all anonymous users.'
break
case 'authenticated':
this.notes << 'This core pseudo account is for any user who has authenticated with Jenkins a.k.a. all logged in users.'
break
}
this.coreAccount = (id in ['anonymous', 'authenticated']) as Boolean
if(coreAccount) {
this.notes << 'This account cannot be deleted.'
} else {
try {
//for performance reasons, only try to impersonate a user once when this object is first instantiated
this.impersonate = u.impersonate()
} catch(UsernameNotFoundException e) {
if(this.id != 'admin') {
this.notes << 'This user does not exist in the security realm.'
this.notes << 'It is an automatically created account from Jenkins tracking source code manager (SCM) authors.'
this.notes << 'This is normal Jenkins behavior and can be ignored.'
this.notes << 'It is safe to delete this account, but it will be recreated when the user shows up as an SCM author again.'
}
builtinAccount = true
}
}
this.global_permissions = this.getGlobalPermissions()
if(supportsItemPermissions()) {
this.item_permissions = getItemPermissions()
}
if(this.global_permissions == 'No permissions' && this.item_permissions == 'No permissions' && !builtinAccount && !coreAccount) {
this.notes << 'This user exists in the security realm and their account was created upon first login; however, they were not granted any permissions.'
this.notes << 'This account should be deleted.'
}
if((this.global_permissions + this.item_permissions).contains('Job:Configure')) {
this.notes << 'This user can elevate permissions of other users within jobs they can configure.'
if(Jenkins.instance.numExecutors > 0) {
this.notes << "This user can trivially elevate themselves to ${this.displayPermission(admin)} because jobs can be configured to run on the master."
}
}
}
private static Boolean supportsItemPermissions() {
Jenkins.instance.authorizationStrategy.class.simpleName == 'ProjectMatrixAuthorizationStrategy'
}
private static String displayPermission(Permission p) {
"${p.group.title}:${p.name}".toString()
}
private String getEmail(User u) {
if(u.getProperty(Mailer.UserProperty)) {
(u.getProperty(Mailer.UserProperty).address ?: '').toString()
} else {
''
}
}
private String getItemPermissions() {
if(coreAccount || builtinAccount || this.global_permissions == 'Overall:Administer') {
this.item_permissions
} else {
Set discovered_permissions = []
//find additional permissions granted in items e.g. folders, jobs, etc
Jenkins.instance.getAllItems(Item.class).findAll {
it.properties.find { it.class.simpleName == 'AuthorizationMatrixProperty' }
}.each { Item item ->
item.properties.find {
it.class.simpleName == 'AuthorizationMatrixProperty'
}.with { item_auth ->
item_auth.getGrantedPermissions().keySet().findAll { Permission p ->
!(displayPermission(p) in discovered_permissions)
}.each { Permission p ->
if(item_auth.acl.hasPermission(this.impersonate, p)) {
discovered_permissions << displayPermission(p)
}
}
}
}
discovered_permissions.sort().join(',') ?: this.item_permissions
}
}
private String getGlobalPermissions() {
if(coreAccount) {
this.notes << 'Permissions cannot be determined on core accounts because they cannot be used as a normal user.'
'No permissions'
} else if(builtinAccount) {
'No permissions'
} else if(this.acl.hasPermission(this.impersonate, admin)) {
this.notes << 'Admins can affect any infrastructure Jenkins integrates with including decrypting configured credentials.'
displayPermission(admin)
} else {
permissions.findAll { Permission p ->
p != admin && this.acl.hasPermission(this.impersonate, p)
}.collect {
displayPermission(it)
}.join(',') ?: this.global_permissions
}
}
public static String getCSVHeader() {
List<String> csvList = [
'User',
'"Full Name"',
'Email',
'"Notes"',
'"Global Permissions"'
]
if(supportsItemPermissions()) {
csvList << '"Additional permissions granted within folders or jobs"'
}
csvList.join(', ')
}
public String getCSV() {
List<String> csvList = [
this.id,
"\"${this.fullName}\"",
this.email,
"\"${this.notes.join(' ')}\"",
"\"${this.global_permissions}\""
]
if(supportsItemPermissions()) {
csvList << "\"${this.item_permissions}\""
}
csvList.join(', ')
}
}
/**
Print out the result to the script console or log a line to the job console
output. It also optionally writes the line to a writer (used in other
functions to write to a file).
*/
void writeLine(Writer writer = null, String line) {
if(writer) {
writer.write line + '\n'
}
if(binding.hasVariable('out')) {
out.println line
} else {
println line
}
}
/**
optionalWriter is a Groovy binding which provides flexibility in executing a
closure while writing output to a file, script console output, or the output
to a Jenkins job.
*/
optionalWriter = { String file = null, Closure c ->
if(file) {
new File(file).withWriter('UTF-8') { writer ->
c(writer)
}
} else {
c(null as Writer)
}
}
String separator = '-' * 80
writeLine 'Start of CSV'
writeLine separator
String outputFile
if(binding.hasVariable('out') && binding.hasVariable('build') && writeToFile) {
outputFile = "${build.workspace}/audit-user-permissions.csv"
}
optionalWriter(outputFile) { writer ->
writeLine(writer, UserCSV.getCSVHeader())
User.all.each { User u ->
if(includeCoreAccounts || !(u.id in ['anonymous', 'authenticated'])) {
writeLine(writer, new UserCSV(u).getCSV())
}
}
}
writeLine separator
writeLine 'End of CSV'