-
Notifications
You must be signed in to change notification settings - Fork 1
/
libsync.py
313 lines (254 loc) · 13.9 KB
/
libsync.py
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
#!/usr/bin/env python
import os
import ssl
import struct
import base64
import logging
import json
import datetime
from ldap3 import Server, Connection, Tls, ALL_ATTRIBUTES
from certifi import core
from AADInternals_python.AADInternals import AADInternals
from passlib.hash import nthash
logging.getLogger("adal-python").setLevel(logging.WARN)
logger = logging.getLogger()
def write_log_json_data(action,data):
logger.info(json.dumps({'type':action,'timestamp': str(datetime.datetime.utcnow()),'data':data}))
def sid_to_base64(sid):
# Split the SID into its components
parts = sid.split('-')
# Validate SID format
if not (parts[0] == 'S' and len(parts) > 2):
raise ValueError("Invalid SID format")
# Parse the identifier authority (last part before the actual sub-authorities)
identifier_authority = int(parts[2])
# The first sub-authority number is always in the range 0-4294967295
# and is represented as an unsigned integer
sub_authorities = [int(part) for part in parts[3:]]
# Encode the revision (always 1) and sub-authority count (number of sub-authorities)
revision_and_subauthority_count = struct.pack('BB', 1, len(sub_authorities))
# Encode the identifier authority as a 48-bit (6-byte) value
identifier_authority_bytes = struct.pack('>Q', identifier_authority)[-6:]
# Encode each sub-authority as a 32-bit (4-byte) value
sub_authority_bytes = b''.join(struct.pack('<I', sa) for sa in sub_authorities)
# Combine all parts
binary_sid = revision_and_subauthority_count + identifier_authority_bytes + sub_authority_bytes
# Encode in base64 and return
return base64.b64encode(binary_sid).decode('utf-8')
class AdConnect():
def __init__(self):
self.proxiesconf = None
self.tenant_id= None
self.save_to_cache=True
self.use_cache = True
self.cache_file = os.path.join(os.path.dirname(os.path.realpath(__file__)),'last_token.json')
self.dry_run=True
self.use_get_syncobjects = True
self.az = None
self.dict_az_user={}
self.dict_az_group={}
self.verify=True
def connect(self):
if not self.az:
self.az = AADInternals(proxies=self.proxiesconf,
use_cache=self.use_cache,
save_to_cache=self.save_to_cache,
tenant_id=self.tenant_id,
cache_file=self.cache_file,
verify=self.verify)
self.tenant_id = self.az.tenant_id
self.az.get_token(scopes=["https://graph.windows.net/.default"])
def enable_ad_sync(self):
self.connect()
if not self.dry_run:
self.az.set_adsyncenabled(enabledirsync=True)
def enable_password_hash_sync(self):
self.connect()
if not self.dry_run:
self.az.set_sync_features(enable_features=['PasswordHashSync'])
def send_obj_to_az(self,entry):
self.connect()
if not self.dry_run:
self.az.set_azureadobject(**entry)
def delete_user(self,entry):
if not self.dry_run:
self.az.remove_azureadoject(sourceanchor=entry,objecttype='User')
def delete_group(self,entry):
if not self.dry_run:
self.az.remove_azureadoject(sourceanchor=entry,objecttype='Group')
def generate_all_dict(self):
self.connect()
self.dict_az_user = {}
self.dict_az_group = {}
for user in self.az.list_users(select="onPremisesImmutableId,userPrincipalName,onPremisesSyncEnabled"):
if not user.get('onPremisesImmutableId'):
continue
if not user.get('onPremisesSyncEnabled'):
continue
self.dict_az_user[user["onPremisesImmutableId"]] = user
if not self.use_get_syncobjects:
return
try:
list_groups = self.az.list_groups(select="onPremisesImmutableId,userPrincipalName,id")
except Exception as e:
if 'Identity synchronization is not yet activated for this company' in str(e):
list_groups = []
else:
raise
for group in list_groups:
if not group.get('onPremisesImmutableId'):
continue
self.dict_az_group[group["onPremisesImmutableId"]] = group
def send_hashnt(self,hashnt,sourceanchor):
self.connect()
if not self.dry_run:
self.az.set_userpassword(hashnt=hashnt,sourceanchor=sourceanchor)
class OpenLdapInfo():
def __init__(self,SourceAnchorAttr_user="uidNumber",SourceAnchorAttr_group="gidNumber",server=None, username=None,password=None,basedn_user=None,basedn_group=None,filter_user=None,filter_group=None,port=None,mapping={},verify_cert=False,use_ssl=True,path_to_bundle_crt_ldap=None,sourceanchorattr_user_is_sid=True,sourceanchorattr_group_is_sid=True,use_novell_get_universal_password=False):
if verify_cert:
ldapssl = ssl.CERT_REQUIRED
else:
ldapssl = ssl.CERT_NONE
if use_ssl:
if path_to_bundle_crt_ldap == 'lib_python_certifi':
ca_certs_file = core.where()
else:
ca_certs_file = path_to_bundle_crt_ldap
tls = Tls(validate=ldapssl, version=ssl.PROTOCOL_TLSv1_2, ca_certs_file=ca_certs_file)
serverobj = Server(server, use_ssl=True , tls=tls ,port=port)
else:
serverobj = Server(server, use_ssl=False, tls=False,port=port)
self.conn = Connection(server=serverobj, user=username, password=password.encode('utf-8'), raise_exceptions=True)
self.conn.bind()
self.mapping = mapping
self.basedn_user = basedn_user
self.basedn_group = basedn_group
self.filter_user = filter_user
self.filter_group = filter_group
self.dict_all_users_samba={}
self.all_dn={}
self.dict_guidnumber_sa={}
self.dict_id_hash = {}
self.SourceAnchorAttr_user = SourceAnchorAttr_user
self.SourceAnchorAttr_group = SourceAnchorAttr_group
self.sourceanchorattr_user_is_sid = sourceanchorattr_user_is_sid
self.sourceanchorattr_group_is_sid = sourceanchorattr_group_is_sid
self.use_novell_get_universal_password = use_novell_get_universal_password
self.dry_run=True
def return_source_anchor(self,entry,usertype=None):
if usertype == 'user':
SourceAnchorAttr=self.SourceAnchorAttr_user
SourceAnchor = entry[SourceAnchorAttr][0]
if self.sourceanchorattr_user_is_sid:
SourceAnchor = sid_to_base64(SourceAnchor)
else:
SourceAnchorAttr=self.SourceAnchorAttr_group
SourceAnchor = entry[SourceAnchorAttr][0]
if self.sourceanchorattr_group_is_sid:
SourceAnchor = sid_to_base64(SourceAnchor)
if SourceAnchorAttr.lower() in ['uidnumber','gidnumber']:
SourceAnchor = usertype + '_' + str( SourceAnchor)
return str(SourceAnchor)
def generate_all_dict(self):
self.dict_all_users_samba={}
self.dict_all_group_samba={}
self.all_dn={}
self.dict_id_hash = {}
# Search all users
all_user_result = []
for bdn in self.basedn_user.split('|') :
self.conn.search(bdn.strip(), search_filter="(&%s(%s=*))" % (self.filter_user,self.SourceAnchorAttr_user),attributes=ALL_ATTRIBUTES)
all_user_result.extend(self.conn.entries)
for user in all_user_result:
userdata = user.entry_attributes_as_dict
uid = userdata.get('uid',[''])[0]
if uid.endswith('$'):
continue
SourceAnchor = self.return_source_anchor(user,usertype="user")
if not SourceAnchor:
continue
if self.use_novell_get_universal_password:
password = self.conn.extend.novell.get_universal_password(user.entry_dn)
self.dict_id_hash[SourceAnchor] = nthash.encrypt(password).upper()
else:
if 'hashnt' in self.mapping['user_mapping']:
if userdata.get(self.mapping['user_mapping']['hashnt'],[''])[0]:
self.dict_id_hash[SourceAnchor]=user[self.mapping['user_mapping']['hashnt']][0]
if 'D' in userdata.get('sambaAcctFlags',[''])[0]:
enabled = False
else:
enabled = True
user_mapping= self.mapping['user_mapping']
data = {
"SourceAnchor" : SourceAnchor,
"accountEnabled" : enabled,
"userPrincipalName" : userdata.get(user_mapping['userPrincipalName'],[''])[0],
"onPremisesSamAccountName" : userdata.get(user_mapping['onPremisesSamAccountName'],[''])[0],
"onPremisesDistinguishedName": user.entry_dn,
"dnsDomainName" : userdata.get(user_mapping['dnsDomainName'],[''])[0],
"displayName" : userdata.get(user_mapping['displayName'],[''])[0],
"givenName" : userdata.get(user_mapping['givenName'],[''])[0],
"surname" : userdata.get(user_mapping['surname'],[''])[0],
"commonName" : userdata.get(user_mapping['commonName'],[''])[0],
"physicalDeliveryOfficeName" : userdata.get(user_mapping['physicalDeliveryOfficeName'],[''])[0],
"department" : userdata.get(user_mapping['department'],[''])[0],
"employeeId" : userdata.get(user_mapping['employeeId'],[''])[0],
"streetAddress" : userdata.get(user_mapping['streetAddress'],[''])[0],
"city" : userdata.get(user_mapping['city'],[''])[0],
"state" : userdata.get(user_mapping['state'],[''])[0],
"telephoneNumber" : userdata.get(user_mapping['telephoneNumber'],[''])[0],
"company" : userdata.get(user_mapping['company'],[''])[0],
"employeeType" : userdata.get(user_mapping['employeeType'],[''])[0],
"facsimileTelephoneNumber" : userdata.get(user_mapping['facsimileTelephoneNumber'],[''])[0],
"mail" : userdata.get(user_mapping['mail'],[''])[0],
"mobile" : userdata.get(user_mapping['mobile'],[''])[0],
"title" : userdata.get(user_mapping['title'],[''])[0],
"proxyAddresses" : userdata.get(user_mapping['proxyAddresses'],[]),
"usertype" : "User"
}
if uid:
self.all_dn[uid]=SourceAnchor
self.all_dn[uid.split('=',1)[-1]]=SourceAnchor
self.all_dn[user.entry_dn]=SourceAnchor
self.dict_all_users_samba[SourceAnchor] = data
gidnumber = userdata.get('gidNumber',[''])[0]
if gidnumber:
if not gidnumber in self.dict_guidnumber_sa:
self.dict_guidnumber_sa[gidnumber] = [SourceAnchor]
else:
self.dict_guidnumber_sa[gidnumber].append(SourceAnchor)
all_group_result = []
for bdn in self.basedn_group.split('|'):
self.conn.search(bdn.strip(), search_filter="(&%s(%s=*))" % (self.filter_group,self.SourceAnchorAttr_group),attributes=ALL_ATTRIBUTES)
all_group_result.extend(self.conn.entries)
for group in all_group_result:
SourceAnchor = self.return_source_anchor(group,"group")
if not SourceAnchor:
continue
self.all_dn[group.entry_dn] = SourceAnchor
self.all_dn[group.entry_dn.split(',')[0]] = SourceAnchor
for group in all_group_result:
SourceAnchor = self.return_source_anchor(group,"group")
if not SourceAnchor:
continue
groupMembers = {}
groupdata = group.entry_attributes_as_dict
for attrgrouptest in ["memberUid","member","uniqueMember"]:
for m in groupdata.get(attrgrouptest,[]):
if m in self.all_dn:
groupMembers[self.all_dn[m]] = None
gidnumber = groupdata.get('gidNumber',[''])[0]
if gidnumber:
for gi in self.dict_guidnumber_sa.get(gidnumber,[]):
groupMembers[gi] = None
group_mapping= self.mapping['group_mapping']
data = {
"SourceAnchor" : SourceAnchor,
"onPremisesSamAccountName" : groupdata.get(group_mapping['onPremisesSamAccountName'],[''])[0],
"onPremisesDistinguishedName": group.entry_dn,
"displayName" : groupdata.get(group_mapping['displayName'],[''])[0],
"groupMembers" : list(groupMembers),
"SecurityEnabled" : True,
"usertype" : "Group"
}
self.dict_all_group_samba[SourceAnchor] = data