-
Notifications
You must be signed in to change notification settings - Fork 1.1k
/
Copy pathZendeskUtils.swift
1240 lines (1019 loc) · 48.8 KB
/
ZendeskUtils.swift
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
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
import Foundation
import BuildSettingsKit
import WordPressAuthenticator
import WordPressKit
import WordPressShared
import DesignSystem
import SupportSDK
import SupportProvidersSDK
import ZendeskCoreSDK
import AutomatticTracks
import AutomatticEncryptedLogs
extension NSNotification.Name {
static let ZendeskPushNotificationReceivedNotification = NSNotification.Name(rawValue: "ZendeskPushNotificationReceivedNotification")
static let ZendeskPushNotificationClearedNotification = NSNotification.Name(rawValue: "ZendeskPushNotificationClearedNotification")
}
@objc extension NSNotification {
public static let ZendeskPushNotificationReceivedNotification = NSNotification.Name.ZendeskPushNotificationReceivedNotification
public static let ZendeskPushNotificationClearedNotification = NSNotification.Name.ZendeskPushNotificationClearedNotification
}
enum ZendeskRequestError: Error {
case noIdentity
case failedParsingResponse
case createRequest(String)
}
enum ZendeskRequestLoadingStatus {
case identifyingUser
case creatingTicket
case creatingTicketAnonymously
}
protocol ZendeskUtilsProtocol {
typealias ZendeskNewRequestCompletion = (Result<ZDKRequest, ZendeskRequestError>) -> ()
typealias ZendeskNewRequestLoadingStatus = (ZendeskRequestLoadingStatus) -> ()
func createNewRequest(in viewController: UIViewController, description: String, tags: [String], completion: @escaping ZendeskNewRequestCompletion)
}
/// This class provides the functionality to communicate with Zendesk for Help Center and support ticket interaction,
/// as well as displaying views for the Help Center, new tickets, and ticket list.
///
@objc class ZendeskUtils: NSObject, ZendeskUtilsProtocol {
// MARK: - Public Properties
static var sharedInstance: ZendeskUtils = ZendeskUtils(contextManager: ContextManager.shared)
static var zendeskEnabled = false
@objc static var unreadNotificationsCount = 0
@objc static var showSupportNotificationIndicator: Bool {
return unreadNotificationsCount > 0
}
struct PushNotificationIdentifiers {
static let key = "type"
static let type = "zendesk"
}
// MARK: - Private Properties
private var sourceTag: WordPressSupportSourceTag?
private var userName: String?
private var userEmail: String? {
set {
_userEmail = newValue.map(ZendeskUtils.a8cTestEmail(_:))
}
get {
_userEmail
}
}
private var _userEmail: String?
private var userNameConfirmed = false
private var deviceID: String?
private var haveUserIdentity = false
private var alertNameField: UITextField?
private var sitePlansCache = [Int: RemotePlanSimpleDescription]()
private static var zdAppID: String?
private static var zdUrl: String?
private static var zdClientId: String?
private weak var presentInController: UIViewController?
private static var appVersion: String {
return Bundle.main.shortVersionString() ?? Constants.unknownValue
}
private static var appLanguage: String {
return Locale.preferredLanguages[0]
}
private let contextManager: CoreDataStack
// MARK: - Public Methods
init(contextManager: CoreDataStack) {
self.contextManager = contextManager
}
@objc static func setup() {
guard getZendeskCredentials() else {
return
}
guard let appId = zdAppID,
let url = zdUrl,
let clientId = zdClientId else {
DDLogInfo("Unable to set up Zendesk.")
toggleZendesk(enabled: false)
return
}
Zendesk.initialize(appId: appId, clientId: clientId, zendeskUrl: url)
Support.initialize(withZendesk: Zendesk.instance)
ZendeskUtils.fetchUserInformation()
toggleZendesk(enabled: true)
// User has accessed a single ticket view, typically via the Zendesk Push Notification alert.
// In this case, we'll clear the Push Notification indicators.
NotificationCenter.default.addObserver(self, selector: #selector(ticketViewed(_:)), name: NSNotification.Name(rawValue: ZDKAPI_CommentListStarting), object: nil)
// Get unread notification count from User Defaults.
unreadNotificationsCount = UserPersistentStoreFactory.instance().integer(forKey: Constants.userDefaultsZendeskUnreadNotifications)
//If there are any, post NSNotification so the unread indicators are displayed.
if unreadNotificationsCount > 0 {
postNotificationReceived()
}
observeZendeskNotifications()
}
// MARK: - Show Zendesk Views
/// Displays the Zendesk New Request view from the given controller, for users to submit new tickets.
/// If the user's identity (i.e. contact info) was updated, inform the caller in the `identityUpdated` completion block.
///
func showNewRequestIfPossible(from controller: UIViewController, with sourceTag: WordPressSupportSourceTag? = nil, identityUpdated: ((Bool) -> Void)? = nil) {
presentInController = controller
ZendeskUtils.createIdentity { success, newIdentity in
guard success else {
identityUpdated?(false)
return
}
self.sourceTag = sourceTag
self.trackSourceEvent(.supportNewRequestViewed)
self.createRequest() { requestConfig in
let newRequestController = RequestUi.buildRequestUi(with: [requestConfig])
ZendeskUtils.showZendeskView(newRequestController)
identityUpdated?(newIdentity)
}
}
}
/// Displays the Zendesk Request List view from the given controller, allowing user to access their tickets.
/// If the user's identity (i.e. contact info) was updated, inform the caller in the `identityUpdated` completion block.
///
func showTicketListIfPossible(from controller: UIViewController, with sourceTag: WordPressSupportSourceTag? = nil, identityUpdated: ((Bool) -> Void)? = nil) {
presentInController = controller
ZendeskUtils.createIdentity { success, newIdentity in
guard success else {
identityUpdated?(false)
return
}
self.sourceTag = sourceTag
self.trackSourceEvent(.supportTicketListViewed)
// Get custom request configuration so new tickets from this path have all the necessary information.
self.createRequest() { requestConfig in
let requestListController = RequestUi.buildRequestList(with: [requestConfig])
ZendeskUtils.showZendeskView(requestListController)
identityUpdated?(newIdentity)
}
}
}
/// Displays an alert allowing the user to change their Support email address.
///
func showSupportEmailPrompt(from controller: UIViewController, completion: @escaping (Bool) -> Void) {
presentInController = controller
ZendeskUtils.getUserInformationAndShowPrompt(alertOptions: .withoutName) { success in
completion(success)
}
}
func cacheUnlocalizedSitePlans(planService: PlanService? = nil) {
guard let account = try? WPAccount.lookupDefaultWordPressComAccount(in: contextManager.mainContext) else {
return
}
let planService = planService ?? PlanService(coreDataStack: contextManager)
planService.getAllSitesNonLocalizedPlanDescriptionsForAccount(account, success: { plans in
self.sitePlansCache = plans
}, failure: { error in })
}
func createRequest(planServiceRemote: PlanServiceRemote? = nil,
siteID: Int? = nil,
completion: @escaping (RequestUiConfiguration) -> Void) {
let requestConfig = RequestUiConfiguration()
// Set Zendesk ticket form to use
requestConfig.ticketFormID = TicketFieldIDs.form as NSNumber
// Set form field values
var ticketFields = [CustomField]()
ticketFields.append(CustomField(fieldId: TicketFieldIDs.appVersion, value: ZendeskUtils.appVersion))
ticketFields.append(CustomField(fieldId: TicketFieldIDs.allBlogs, value: ZendeskUtils.getBlogInformation()))
ticketFields.append(CustomField(fieldId: TicketFieldIDs.deviceFreeSpace, value: ZendeskUtils.getDeviceFreeSpace()))
ticketFields.append(CustomField(fieldId: TicketFieldIDs.logs, value: ZendeskUtils.getEncryptedLogUUID()))
ticketFields.append(CustomField(fieldId: TicketFieldIDs.currentSite, value: ZendeskUtils.getCurrentSiteDescription()))
ticketFields.append(CustomField(fieldId: TicketFieldIDs.sourcePlatform, value: Constants.sourcePlatform))
ticketFields.append(CustomField(fieldId: TicketFieldIDs.appLanguage, value: ZendeskUtils.appLanguage))
ZendeskUtils.getZendeskMetadata(planServiceRemote: planServiceRemote, siteID: siteID) { result in
var tags = ZendeskUtils.getTags()
switch result {
case .success(let metadata):
guard let metadata else {
break
}
ticketFields.append(CustomField(fieldId: TicketFieldIDs.plan, value: metadata.plan))
ticketFields.append(CustomField(fieldId: TicketFieldIDs.addOns, value: metadata.jetpackAddons))
tags.append(contentsOf: metadata.jetpackAddons)
case .failure(let error):
DDLogError("Unable to fetch zendesk metadata - \(error.localizedDescription)")
}
requestConfig.customFields = ticketFields
// Set tags
requestConfig.tags = tags
// Set the ticket subject
requestConfig.subject = Constants.ticketSubject
completion(requestConfig)
}
}
// MARK: - Device Registration
/// Sets the device ID to be registered with Zendesk for push notifications.
/// Actual registration is done when a user selects one of the Zendesk views.
///
static func setNeedToRegisterDevice(_ identifier: String) {
ZendeskUtils.sharedInstance.deviceID = identifier
}
/// Unregisters the device ID from Zendesk for push notifications.
///
static func unregisterDevice() {
guard let zendeskInstance = Zendesk.instance else {
DDLogInfo("No Zendesk instance. Unable to unregister device.")
return
}
ZDKPushProvider(zendesk: zendeskInstance).unregisterForPush()
DDLogInfo("Zendesk successfully unregistered stored device.")
}
// MARK: - Push Notifications
/// This handles in-app Zendesk push notifications.
/// If the updated ticket or the ticket list is being displayed,
/// the view will be refreshed.
///
static func handlePushNotification(_ userInfo: NSDictionary) {
WPAnalytics.track(.supportReceivedResponseFromSupport)
guard zendeskEnabled == true,
let payload = userInfo as? [AnyHashable: Any],
let requestId = payload["zendesk_sdk_request_id"] as? String else {
DDLogInfo("Zendesk push notification payload invalid.")
return
}
let _ = Support.instance?.refreshRequest(requestId: requestId)
}
/// This handles all Zendesk push notifications. (The in-app flow goes through here as well.)
/// When a notification is received, an NSNotification is posted to allow
/// the various indicators to be displayed.
///
static func pushNotificationReceived() {
unreadNotificationsCount += 1
saveUnreadCount()
postNotificationReceived()
}
/// When a user views the Ticket List, this is called to:
/// - clear the notification count
/// - update the application badge count
/// - post an NSNotification so the various indicators can be cleared.
///
static func pushNotificationRead() {
UIApplication.shared.applicationIconBadgeNumber -= unreadNotificationsCount
unreadNotificationsCount = 0
saveUnreadCount()
postNotificationRead()
}
// MARK: - Helpers
/// Returns the user's Support email address.
///
static func userSupportEmail() -> String? {
return ZendeskUtils.sharedInstance.userEmail
}
/// Obtains user's name and email from first available source.
///
static func fetchUserInformation() {
// If user information already obtained, do nothing.
guard !ZendeskUtils.sharedInstance.haveUserIdentity else {
return
}
// Attempt to load from User Defaults.
// If nothing in UD, get from sources in `getUserInformationIfAvailable`.
if !loadUserProfile() {
ZendeskUtils.getUserInformationIfAvailable {
ZendeskUtils.createZendeskIdentity { success in
guard success else {
return
}
ZendeskUtils.sharedInstance.haveUserIdentity = true
}
}
}
}
/// If there is no identity set yet, create an anonymous one.
///
/// - warning: This method should only be used for interactions with Zendesk
/// that doesn't require a confirmed identity and/or a response from support,
/// such as sending feedback about the app.
static func createIdentitySilentlyIfNeeded() {
if Zendesk.instance?.identity == nil {
Zendesk.instance?.setIdentity(Identity.createAnonymous())
}
}
}
// MARK: - Create Request
extension ZendeskUtils {
func createNewRequest(in viewController: UIViewController, description: String, tags: [String], completion: @escaping ZendeskNewRequestCompletion) {
createNewRequest(in: viewController, description: description, tags: tags, alertOptions: .withName, completion: completion)
}
func uploadAttachment(_ data: Data, contentType: String) async throws -> ZDKUploadResponse {
try await withUnsafeThrowingContinuation { continuation in
ZDKUploadProvider().uploadAttachment(data, withFilename: "attachment", andContentType: contentType) { response, error in
if let response {
continuation.resume(returning: response)
} else {
continuation.resume(throwing: error ?? URLError(.unknown))
}
}
}
}
/// - parameter alertOptions: If the value is `nil`, the request will be
/// created using the existing identity without prompting to confirm user information.
/// In that case, the app is responsible for creating an identity before calling this method.
func createNewRequest(
in viewController: UIViewController,
subject: String? = nil,
description: String,
tags: [String],
attachments: [ZDKUploadResponse] = [],
alertOptions: IdentityAlertOptions?,
status: ZendeskNewRequestLoadingStatus? = nil,
completion: @escaping ZendeskNewRequestCompletion
) {
presentInController = viewController
let createRequest = { [weak self] in
guard let self else { return }
self.createRequest() { requestConfig in
let provider = ZDKRequestProvider()
let request = ZDKCreateRequest()
requestConfig.tags += tags
request.customFields = requestConfig.customFields
request.tags = requestConfig.tags
request.ticketFormId = requestConfig.ticketFormID
request.subject = subject ?? requestConfig.subject
request.requestDescription = description
request.attachments = attachments
provider.createRequest(request) { response, error in
if let error {
DDLogError("Creating new request failed: \(error)")
completion(.failure(.createRequest(error.localizedDescription)))
} else if let data = (response as? ZDKDispatcherResponse)?.data,
let dict = try? JSONSerialization.jsonObject(with: data) as? [AnyHashable: Any],
let requestDict = dict["request"] as? [AnyHashable: Any],
let request = ZDKRequest(dict: requestDict) {
completion(.success(request))
} else {
completion(.failure(.failedParsingResponse))
}
}
}
}
guard let alertOptions else {
createRequest()
return // Continue using the previously created identity
}
status?(.identifyingUser)
ZendeskUtils.createIdentity(alertOptions: alertOptions) { success, newIdentity in
guard success else {
if alertOptions.optionalIdentity {
let identity = Identity.createAnonymous()
Zendesk.instance?.setIdentity(identity)
status?(.creatingTicketAnonymously)
createRequest()
} else {
completion(.failure(.noIdentity))
}
return
}
status?(.creatingTicket)
createRequest()
}
}
}
// MARK: - Private Extension
private extension ZendeskUtils {
static func getZendeskCredentials() -> Bool {
let zdAppID = ApiCredentials.zendeskAppId
let zdUrl = ApiCredentials.zendeskUrl
let zdClientId = ApiCredentials.zendeskClientId
guard
!zdAppID.isEmpty,
!zdUrl.isEmpty,
!zdClientId.isEmpty
else {
DDLogInfo("Unable to get Zendesk credentials.")
toggleZendesk(enabled: false)
return false
}
self.zdAppID = zdAppID
self.zdUrl = zdUrl
self.zdClientId = zdClientId
return true
}
static func toggleZendesk(enabled: Bool) {
zendeskEnabled = enabled
DDLogInfo("Zendesk Enabled: \(enabled)")
}
/// Creates a Zendesk Identity from user information.
/// Returns two values in the completion block:
/// - Bool indicating there is an identity to use.
/// - Bool indicating if a _new_ identity was created.
///
static func createIdentity(alertOptions: IdentityAlertOptions = .withName, completion: @escaping (Bool, Bool) -> Void) {
// If we already have an identity, and the user has confirmed it, do nothing.
let haveUserInfo = ZendeskUtils.sharedInstance.haveUserIdentity && ZendeskUtils.sharedInstance.userNameConfirmed
guard !haveUserInfo else {
DDLogDebug("Using existing Zendesk identity: \(ZendeskUtils.sharedInstance.userEmail ?? ""), \(ZendeskUtils.sharedInstance.userName ?? "")")
completion(true, false)
return
}
// Prompt the user for information.
ZendeskUtils.getUserInformationAndShowPrompt(alertOptions: alertOptions) { success in
completion(success, success)
}
}
static func getUserInformationAndShowPrompt(alertOptions: IdentityAlertOptions, completion: @escaping (Bool) -> Void) {
ZendeskUtils.getUserInformationIfAvailable {
ZendeskUtils.promptUserForInformation(alertOptions: alertOptions) { success in
guard success else {
DDLogInfo("No user information to create Zendesk identity with.")
completion(false)
return
}
ZendeskUtils.createZendeskIdentity { success in
guard success else {
DDLogInfo("Creating Zendesk identity failed.")
completion(false)
return
}
DDLogDebug("Using information from prompt for Zendesk identity.")
ZendeskUtils.sharedInstance.haveUserIdentity = true
completion(true)
return
}
}
}
}
static func getUserInformationIfAvailable(completion: @escaping () -> ()) {
/*
Steps to selecting which account to use:
1. If there is a WordPress.com account, use that.
2. If not, use selected site.
*/
let context = ContextManager.shared.mainContext
// 1. Check for WP account
if let defaultAccount = try? WPAccount.lookupDefaultWordPressComAccount(in: context) {
DDLogDebug("Zendesk - Using defaultAccount for suggested identity.")
getUserInformationFrom(wpAccount: defaultAccount)
completion()
return
}
// 2. Use information from selected site.
guard let blog = Blog.lastUsed(in: context) else {
// We have no user information.
completion()
return
}
// 2a. Jetpack site
if let jetpackState = blog.jetpack, jetpackState.isConnected {
DDLogDebug("Zendesk - Using Jetpack site for suggested identity.")
getUserInformationFrom(jetpackState: jetpackState)
completion()
return
}
// 2b. self-hosted site
ZendeskUtils.getUserInformationFrom(blog: blog) {
DDLogDebug("Zendesk - Using self-hosted for suggested identity.")
completion()
return
}
}
static func createZendeskIdentity(completion: @escaping (Bool) -> Void) {
guard let userEmail = ZendeskUtils.sharedInstance.userEmail else {
DDLogInfo("No user email to create Zendesk identity with.")
let identity = Identity.createAnonymous()
Zendesk.instance?.setIdentity(identity)
completion(false)
return
}
let zendeskIdentity = Identity.createAnonymous(name: ZendeskUtils.sharedInstance.userName, email: userEmail)
Zendesk.instance?.setIdentity(zendeskIdentity)
DDLogDebug("Zendesk identity created with email '\(userEmail)' and name '\(ZendeskUtils.sharedInstance.userName ?? "")'.")
registerDeviceIfNeeded()
completion(true)
}
static func registerDeviceIfNeeded() {
guard let deviceID = ZendeskUtils.sharedInstance.deviceID,
let zendeskInstance = Zendesk.instance else {
return
}
ZDKPushProvider(zendesk: zendeskInstance).register(deviceIdentifier: deviceID, locale: appLanguage) { (pushResponse, error) in
if let error {
DDLogInfo("Zendesk couldn't register device: \(deviceID). Error: \(error)")
} else {
ZendeskUtils.sharedInstance.deviceID = nil
DDLogDebug("Zendesk successfully registered device: \(deviceID)")
}
}
}
// MARK: - View
static func showZendeskView(_ zendeskView: UIViewController) {
guard let presentInController = ZendeskUtils.sharedInstance.presentInController else {
return
}
// Presenting in a modal instead of pushing onto an existing navigation stack
// seems to fix this issue we were seeing when trying to add media to a ticket:
// https://github.com/wordpress-mobile/WordPress-iOS/issues/11397
let navController = UINavigationController(rootViewController: zendeskView)
navController.modalPresentationStyle = .formSheet
navController.modalTransitionStyle = .coverVertical
presentInController.present(navController, animated: true)
}
// MARK: - Get User Information
static func getUserInformationFrom(jetpackState: JetpackState) {
ZendeskUtils.sharedInstance.userName = jetpackState.connectedUsername
ZendeskUtils.sharedInstance.userEmail = jetpackState.connectedEmail
}
static func getUserInformationFrom(blog: Blog, completion: @escaping () -> ()) {
ZendeskUtils.sharedInstance.userName = blog.username
// Get email address from remote profile
guard let username = blog.username,
let password = blog.password,
let xmlrpc = blog.xmlrpc,
let service = UsersService(username: username, password: password, xmlrpc: xmlrpc) else {
return
}
service.fetchProfile { userProfile in
guard let userProfile else {
completion()
return
}
ZendeskUtils.sharedInstance.userEmail = userProfile.email
completion()
}
}
static func getUserInformationFrom(wpAccount: WPAccount) {
guard let api = wpAccount.wordPressComRestApi else {
DDLogInfo("Zendesk: No wordPressComRestApi.")
return
}
let service = AccountSettingsService(userID: wpAccount.userID.intValue, api: api)
guard let accountSettings = service.settings else {
DDLogInfo("Zendesk: No accountSettings.")
return
}
ZendeskUtils.sharedInstance.userEmail = wpAccount.email
ZendeskUtils.sharedInstance.userName = wpAccount.username
if accountSettings.firstName.count > 0 || accountSettings.lastName.count > 0 {
ZendeskUtils.sharedInstance.userName = (accountSettings.firstName + " " + accountSettings.lastName).trim()
}
}
// MARK: - User Defaults
static func saveUserProfile() {
var userProfile = [String: String]()
userProfile[Constants.profileEmailKey] = ZendeskUtils.sharedInstance.userEmail
userProfile[Constants.profileNameKey] = ZendeskUtils.sharedInstance.userName
DDLogDebug("Zendesk - saving profile to User Defaults: \(userProfile)")
UserPersistentStoreFactory.instance().set(userProfile, forKey: Constants.zendeskProfileUDKey)
}
static func loadUserProfile() -> Bool {
guard let userProfile = UserPersistentStoreFactory.instance().dictionary(forKey: Constants.zendeskProfileUDKey) else {
return false
}
DDLogDebug("Zendesk - read profile from User Defaults: \(userProfile)")
ZendeskUtils.sharedInstance.userEmail = userProfile.valueAsString(forKey: Constants.profileEmailKey)
ZendeskUtils.sharedInstance.userName = userProfile.valueAsString(forKey: Constants.profileNameKey)
ZendeskUtils.sharedInstance.userNameConfirmed = true
ZendeskUtils.createZendeskIdentity { success in
guard success else {
return
}
DDLogDebug("Using User Defaults for Zendesk identity.")
ZendeskUtils.sharedInstance.haveUserIdentity = true
}
return true
}
static func saveUnreadCount() {
UserPersistentStoreFactory.instance().set(unreadNotificationsCount, forKey: Constants.userDefaultsZendeskUnreadNotifications)
}
// MARK: - Data Helpers
static func getDeviceFreeSpace() -> String {
guard let resourceValues = try? URL(fileURLWithPath: "/").resourceValues(forKeys: [.volumeAvailableCapacityKey]),
let capacityBytes = resourceValues.volumeAvailableCapacity else {
return Constants.unknownValue
}
// format string using human readable units. ex: 1.5 GB
// Since ByteCountFormatter.string translates the string and has no locale setting,
// do the byte conversion manually so the Free Space is in English.
let sizeAbbreviations = ["bytes", "KB", "MB", "GB", "TB", "PB", "EB", "ZB", "YB"]
var sizeAbbreviationsIndex = 0
var capacity = Double(capacityBytes)
while capacity > 1024 {
capacity /= 1024
sizeAbbreviationsIndex += 1
}
let formattedCapacity = String(format: "%4.2f", capacity)
let sizeAbbreviation = sizeAbbreviations[sizeAbbreviationsIndex]
return "\(formattedCapacity) \(sizeAbbreviation)"
}
static func getEncryptedLogUUID() -> String {
let fileLogger = WPLogger.shared().fileLogger
let dataProvider = EventLoggingDataProvider.fromDDFileLogger(fileLogger)
guard let logFilePath = dataProvider.logFilePath(forErrorLevel: .debug, at: Date()) else {
return "Error: No log files found on device"
}
let logFile = LogFile(url: logFilePath)
do {
let delegate = EventLoggingDelegate()
/// Some users may be opted out – let's inform support that this is the case (otherwise the UUID just wouldn't work)
if UserSettings.userHasOptedOutOfCrashLogging {
return "No log file uploaded: User opted out"
}
let eventLogging = EventLogging(dataSource: dataProvider, delegate: delegate)
try eventLogging.enqueueLogForUpload(log: logFile)
}
catch let err {
return "Error preparing log file: \(err.localizedDescription)"
}
return logFile.uuid
}
static func getCurrentSiteDescription() -> String {
guard let blog = Blog.lastUsed(in: ContextManager.shared.mainContext) else {
return Constants.noValue
}
let url = blog.url ?? Constants.unknownValue
return "\(url) (\(blog.stateDescription()))"
}
static func getBlogInformation() -> String {
let allBlogs = (try? BlogQuery().blogs(in: ContextManager.shared.mainContext)) ?? []
guard allBlogs.count > 0 else {
return Constants.noValue
}
let blogInfo: [String] = allBlogs.map {
var desc = $0.supportDescription()
if let blogID = $0.dotComID, let plan = ZendeskUtils.sharedInstance.sitePlansCache[blogID.intValue] {
desc = desc + "<Unlocalized Plan: \(plan.name) (\(plan.planID))>" // Do not localize this. :)
}
return desc
}
return blogInfo.joined(separator: Constants.blogSeperator)
}
static func getTags() -> [String] {
let context = ContextManager.shared.mainContext
let allBlogs = (try? BlogQuery().blogs(in: context)) ?? []
var tags = [String]()
// Add sourceTag
if let sourceTagOrigin = ZendeskUtils.sharedInstance.sourceTag?.origin {
tags.append(sourceTagOrigin)
}
// Add platformTag
tags.append(Constants.platformTag)
// If there are no sites, then the user has an empty WP account.
guard allBlogs.count > 0 else {
tags.append(Constants.wpComTag)
return tags
}
// If any of the sites have jetpack installed, add jetpack tag.
let jetpackBlog = allBlogs.first { $0.jetpack?.isInstalled == true }
if let _ = jetpackBlog {
tags.append(Constants.jetpackTag)
}
// If there is a WP account, add wpcom tag.
if let _ = try? WPAccount.lookupDefaultWordPressComAccount(in: context) {
tags.append(Constants.wpComTag)
}
// Add gutenbergIsDefault tag
if let blog = Blog.lastUsed(in: context) {
if blog.isGutenbergEnabled {
tags.append(Constants.gutenbergIsDefault)
}
}
if let currentSite = Blog.lastUsedOrFirst(in: context), !currentSite.isHostedAtWPcom, !currentSite.isAtomic() {
tags.append(Constants.mobileSelfHosted)
}
return tags
}
func trackSourceEvent(_ event: WPAnalyticsStat) {
guard let sourceTag else {
WPAnalytics.track(event)
return
}
let properties = ["source": sourceTag.origin ?? sourceTag.name]
WPAnalytics.track(event, withProperties: properties)
}
// MARK: - Push Notification Helpers
static func postNotificationReceived() {
// Updating unread indicators should trigger UI updates, so send notification in main thread.
DispatchQueue.main.async {
NotificationCenter.default.post(name: .ZendeskPushNotificationReceivedNotification, object: nil)
}
}
static func postNotificationRead() {
// Updating unread indicators should trigger UI updates, so send notification in main thread.
DispatchQueue.main.async {
NotificationCenter.default.post(name: .ZendeskPushNotificationClearedNotification, object: nil)
}
}
@objc static func ticketViewed(_ notification: Foundation.Notification) {
pushNotificationRead()
}
// MARK: - User Information Prompt
static func promptUserForInformation(alertOptions: IdentityAlertOptions, completion: @escaping (Bool) -> Void) {
let alertController = UIAlertController(title: nil,
message: nil,
preferredStyle: .alert)
let alertMessage = alertOptions.message
let attributedString = NSMutableAttributedString(attributedString: NSAttributedString(string: alertMessage, attributes: [.font: UIFont.DS.font(.caption)]))
if let title = alertOptions.title {
attributedString.insert(NSAttributedString(string: title + "\n", attributes: [.font: UIFont.DS.font(.bodySmall(.emphasized))]), at: 0)
}
alertController.setValue(attributedString, forKey: "attributedMessage")
// Cancel Action
if let cancel = alertOptions.cancel {
alertController.addCancelActionWithTitle(cancel) { (_) in
completion(false)
return
}
}
// Submit Action
let submitAction = alertController.addDefaultActionWithTitle(alertOptions.submit) { [weak alertController] (_) in
guard let email = alertController?.textFields?.first?.text, email.count > 0 else {
completion(false)
return
}
ZendeskUtils.sharedInstance.userEmail = email
if alertOptions.includesName {
ZendeskUtils.sharedInstance.userName = alertController?.textFields?.last?.text
ZendeskUtils.sharedInstance.userNameConfirmed = true
}
saveUserProfile()
completion(true)
return
}
// Enable Submit based on email validity.
let email = ZendeskUtils.sharedInstance.userEmail ?? ""
submitAction.isEnabled = EmailFormatValidator.validate(string: email)
// Make Submit button bold.
alertController.preferredAction = submitAction
// Email Text Field
alertController.addTextField(configurationHandler: { textField in
textField.clearButtonMode = .always
textField.placeholder = alertOptions.emailPlaceholder
textField.accessibilityLabel = LocalizedText.emailAccessibilityLabel
textField.text = ZendeskUtils.sharedInstance.userEmail
textField.delegate = ZendeskUtils.sharedInstance
textField.isEnabled = false
textField.keyboardType = .emailAddress
textField.on(.editingChanged) { textField in
Self.emailTextFieldDidChange(textField, alertOptions: alertOptions)
}
})
// Name Text Field
if alertOptions.includesName {
alertController.addTextField { textField in
textField.clearButtonMode = .always
textField.placeholder = alertOptions.namePlaceholder
textField.accessibilityLabel = LocalizedText.nameAccessibilityLabel
textField.text = ZendeskUtils.sharedInstance.userName
textField.delegate = ZendeskUtils.sharedInstance
textField.isEnabled = false
ZendeskUtils.sharedInstance.alertNameField = textField
}
}
// Show alert
ZendeskUtils.sharedInstance.presentInController?.present(alertController, animated: true) {
// Enable text fields only after the alert is shown so that VoiceOver will dictate the message first.
alertController.textFields?.forEach { textField in
textField.isEnabled = true
}
}
}
static func emailTextFieldDidChange(_ textField: UITextField, alertOptions: IdentityAlertOptions) {
guard let alertController = ZendeskUtils.sharedInstance.presentInController?.presentedViewController as? UIAlertController,
let email = alertController.textFields?.first?.text,
let submitAction = alertController.actions.last else {
return
}
submitAction.isEnabled = alertOptions.optionalIdentity || EmailFormatValidator.validate(string: email)
updateNameFieldForEmail(email)
}
static func updateNameFieldForEmail(_ email: String) {
guard !email.isEmpty else {
return
}
// Find the name text field if it's being displayed.
guard let alertController = ZendeskUtils.sharedInstance.presentInController?.presentedViewController as? UIAlertController,
let textFields = alertController.textFields,
textFields.count > 1,
let nameField = textFields.last else {
return
}
// If we don't already have the user's name, generate it from the email.
if ZendeskUtils.sharedInstance.userName == nil {
nameField.text = generateDisplayName(from: email)
}
}
static func generateDisplayName(from rawEmail: String) -> String? {
// Generate Name, using the same format as Signup.
// step 1: lower case
let email = rawEmail.lowercased()
// step 2: remove the @ and everything after
// Verify something exists before the @.
guard email.first != "@",
let localPart = email.split(separator: "@").first else {
return nil
}
// step 3: remove all non-alpha characters
let localCleaned = localPart.replacingOccurrences(of: "[^A-Za-z/.]", with: "", options: .regularExpression)
// step 4: turn periods into spaces
let nameLowercased = localCleaned.replacingOccurrences(of: ".", with: " ")
// step 5: capitalize
let autoDisplayName = nameLowercased.capitalized
return autoDisplayName
}
// MARK: - Zendesk Notifications
static func observeZendeskNotifications() {
// Ticket Attachments
NotificationCenter.default.addObserver(self, selector: #selector(ZendeskUtils.zendeskNotification(_:)),