-
Notifications
You must be signed in to change notification settings - Fork 116
/
Copy pathEditableOrderViewModel.swift
2643 lines (2314 loc) · 122 KB
/
EditableOrderViewModel.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 Yosemite
import Combine
import protocol Storage.StorageManagerType
import Experiments
import WooFoundation
import enum Networking.DotcomError
/// Encapsulates the item type an order can have, products or variations
///
typealias OrderBaseItem = ItemIdentifierSearchResult
/// View model used in Order Creation and Editing flows.
///
final class EditableOrderViewModel: ObservableObject {
let siteID: Int64
private let stores: StoresManager
private let storageManager: StorageManagerType
private let currencyFormatter: CurrencyFormatter
private let featureFlagService: FeatureFlagService
private let permissionChecker: CaptureDevicePermissionChecker
@Published var syncRequired: Bool = false
// MARK: - Product selector states
@Published var productSelectorViewModel: ProductSelectorViewModel?
/// The source of truth of whether the product selector is presented.
/// This can be triggered by different CTAs like in the order form and close CTA in the product selector.
@Published var isProductSelectorPresented: Bool = false
private var cancellables: Set<AnyCancellable> = []
enum Flow: Equatable {
case creation
case editing(initialOrder: Order)
var analyticsFlow: WooAnalyticsEvent.Orders.Flow {
switch self {
case .creation:
return .creation
case .editing:
return .editing
}
}
}
/// Encapsulates the type of screen that should be shown when navigating to Customer Details
///
enum CustomerNavigationScreen {
case form
case selector
}
enum TaxRateRowAction {
case taxSelector
case storedTaxRateSheet
}
/// Current flow. For editing stores existing order state prior to applying any edits.
///
let flow: Flow
/// Indicates whether user has made any changes
///
var hasChanges: Bool {
if selectionSyncApproach == .onRecalculateButtonTap {
// In split view, we need to check whether the screen has changes that are not yet synced to the order.
return orderSynchronizer.orderHasBeenChanged || syncRequired
} else {
return orderSynchronizer.orderHasBeenChanged
}
}
/// Indicates whether view can be dismissed.
///
var canBeDismissed: Bool {
switch flow {
case .creation: // Creation can be dismissed when there aren't changes pending to commit.
return !hasChanges
case .editing:
// In a single-view layout: Editing can always be dismissed because changes are committed instantly.
// In a split-view layout: Editing can be dismissed when there aren't product changes pending to recalculate.
return !(selectionSyncApproach == .onRecalculateButtonTap && syncRequired)
}
}
var sideBySideViewFeatureFlagEnabled: Bool {
featureFlagService.isFeatureFlagEnabled(.sideBySideViewForOrderForm)
}
/// Indicates whether the cancel button is visible.
///
var shouldShowCancelButton: Bool {
// The cancel button is handled by the AdaptiveModalContainer with the side-by-side view enabled, so this one should not be shown.
guard !sideBySideViewFeatureFlagEnabled else {
return false
}
return flow == .creation
}
/// Indicates the customer details screen to be shown. If there's no address added show the customer selector, otherwise the form so it can be edited
///
var customerNavigationScreen: CustomerNavigationScreen {
let shouldShowSelector = featureFlagService.isFeatureFlagEnabled(.betterCustomerSelectionInOrder) &&
// If there are no addresses added
orderSynchronizer.order.billingAddress?.isEmpty ?? true &&
orderSynchronizer.order.shippingAddress?.isEmpty ?? true
return shouldShowSelector ? .selector : .form
}
var shouldShowSearchButtonInOrderAddressForm: Bool {
!featureFlagService.isFeatureFlagEnabled(.betterCustomerSelectionInOrder)
}
var orderIsNotEmpty: Bool {
orderSynchronizer.order.items.isNotEmpty || orderSynchronizer.order.fees.isNotEmpty
}
var title: String {
switch flow {
case .creation:
return Localization.titleForNewOrder
case .editing(let order):
return String.localizedStringWithFormat(Localization.titleWithOrderNumber, order.number)
}
}
/// Active navigation bar trailing item.
/// Defaults to create button.
///
@Published private(set) var navigationTrailingItem: NavigationItem?
@Published private(set) var doneButtonType: DoneButtonType = .done(loading: false)
/// Tracks if a network request is being performed.
///
@Published private(set) var performingNetworkRequest = false
/// Defines the current notice that should be shown. It doesn't dismiss automatically
/// Defaults to `nil`.
///
@Published var fixedNotice: Notice?
/// Defines the current notice that should be shown. Autodismissable
/// Defaults to `nil`.
///
@Published var autodismissableNotice: Notice?
/// Optional view model for configurable a bundle product from the product selector.
/// When the value is non-nil, the bundle product configuration screen is shown.
@Published var productToConfigureViewModel: ConfigurableBundleProductViewModel?
@Published private(set) var customAmountsSectionViewModel: OrderCustomAmountsSectionViewModel
// MARK: Status properties
/// Order creation date. For new order flow it's always current date.
///
var dateString: String {
switch flow {
case .creation:
let formatter = DateFormatter.mediumLengthLocalizedDateFormatter
formatter.timeZone = .siteTimezone
return formatter.string(from: Date())
case .editing(let order):
let formatter = DateFormatter.dateAndTimeFormatter
formatter.timeZone = .siteTimezone
return formatter.string(from: order.dateCreated)
}
}
/// Representation of order status display properties.
///
@Published private(set) var statusBadgeViewModel: StatusBadgeViewModel = .init(orderStatusEnum: .pending)
/// Indicates if the order status list (selector) should be shown or not.
///
@Published var shouldShowOrderStatusListSheet: Bool = false
/// Defines if the view should be disabled.
@Published private(set) var disabled: Bool = false
@Published private(set) var collectPaymentDisabled: Bool = false
/// Defines if the non editable indicators (banners, locks, fields) should be shown.
@Published private(set) var shouldShowNonEditableIndicators: Bool = false
/// Defines the tax based on setting to be displayed in the Taxes section.
///
@Published private var taxBasedOnSetting: TaxBasedOnSetting?
/// Selected tax rate to apply to the order
///
@Published private var storedTaxRate: TaxRate? = nil
/// Defines if the toggle to store the tax rate in the selector should be enabled by default
///
var shouldStoreTaxRateInSelectorByDefault: Bool {
storedTaxRate != nil
}
var taxRateRowAction: TaxRateRowAction {
storedTaxRate == nil ? .taxSelector : .storedTaxRateSheet
}
/// Text to show on entry point for selecting a tax rate
var taxRateRowText: String {
storedTaxRate == nil ? Localization.setNewTaxRate : Localization.editTaxRateSetting
}
var storedTaxRateViewModel: TaxRateViewModel? {
guard let storedTaxRate = storedTaxRate else { return nil }
return TaxRateViewModel(taxRate: storedTaxRate, showChevron: false)
}
var editingFee: OrderFeeLine? = nil
private var orderHasCoupons: Bool {
orderSynchronizer.order.coupons.isNotEmpty
}
/// Whether product-discounts are disallowed for a given order
/// Since coupons and discounts are mutually exclusive, if an order already has coupons then discounts should be disallowed.
///
var shouldDisallowDiscounts: Bool {
orderHasCoupons
}
/// If both products and custom amounts lists are empty we don't split their sections
///
var shouldSplitProductsAndCustomAmountsSections: Bool {
productRows.isNotEmpty || customAmountRows.isNotEmpty
}
var shouldSplitCustomerAndNoteSections: Bool {
guard featureFlagService.isFeatureFlagEnabled(.subscriptionsInOrderCreationCustomers) else {
return customerDataViewModel.isDataAvailable || customerNoteDataViewModel.customerNote.isNotEmpty
}
return true
}
var shouldShowProductsSectionHeader: Bool {
productRows.isNotEmpty
}
var shouldShowAddProductsButton: Bool {
productRows.isEmpty
}
/// Whether gift card is supported in order form.
///
@Published private var isGiftCardSupported: Bool = false
@Published var selectionSyncApproach: OrderItemSelectionSyncApproach = .onSelectorButtonTap
enum OrderItemSelectionSyncApproach {
case immediate
case onRecalculateButtonTap
case onSelectorButtonTap
}
/// Status Results Controller.
///
private lazy var statusResultsController: ResultsController<StorageOrderStatus> = {
let predicate = NSPredicate(format: "siteID == %lld", siteID)
let descriptor = NSSortDescriptor(key: "slug", ascending: true)
let resultsController = ResultsController<StorageOrderStatus>(storageManager: storageManager, matching: predicate, sortedBy: [descriptor])
do {
try resultsController.performFetch()
} catch {
DDLogError("⛔️ Error fetching order statuses: \(error)")
}
return resultsController
}()
/// Order statuses list
///
private var currentSiteStatuses: [OrderStatus] {
return statusResultsController.fetchedObjects
}
// MARK: Products properties
/// Products Results Controller.
///
private lazy var productsResultsController: ResultsController<StorageProduct> = {
let predicate = NSPredicate(format: "siteID == %lld", siteID)
let resultsController = ResultsController<StorageProduct>(storageManager: storageManager, matching: predicate, sortedBy: [])
return resultsController
}()
/// Products list
///
private var allProducts: Set<Product> = []
/// Product Variations Results Controller.
///
private lazy var productVariationsResultsController: ResultsController<StorageProductVariation> = {
let predicate = NSPredicate(format: "siteID == %lld", siteID)
let resultsController = ResultsController<StorageProductVariation>(storageManager: storageManager, matching: predicate, sortedBy: [])
return resultsController
}()
/// Product Variations list
///
private var allProductVariations: Set<ProductVariation> = []
/// View models for each product row in the order.
///
@Published private(set) var productRows: [CollapsibleProductCardViewModel] = []
/// View models for each custom amount in the order.
///
@Published private(set) var customAmountRows: [CustomAmountRowViewModel] = []
/// Selected product view model to render.
/// Used to open the product details in `ProductDiscountViewModel`.
///
@Published var discountViewModel: ProductDiscountViewModel? = nil
/// Configurable bundle product view model to render.
/// Used to open the bundle product configuration screen.
///
@Published var configurableProductViewModel: ConfigurableBundleProductViewModel? = nil
/// Configurable bundle product view model to render from a scanned bundle product.
/// Used to open the bundle product configuration screen after scanning a bundle product either from the order form or order list.
///
@Published var configurableScannedProductViewModel: ConfigurableBundleProductViewModel? = nil
/// Whether the user can select a new tax rate.
/// The User can change the tax rate by changing the customer address if:
///
/// 1-. The 'Tax based on' setting is based on shipping or billing addresses.
/// 2-. The initial stored tax rate finished applying.
///
private var canChangeTaxRate = false
/// Whether it should show the tax rate selector
///
var shouldShowNewTaxRateSection: Bool {
(orderSynchronizer.order.items.isNotEmpty || orderSynchronizer.order.fees.isNotEmpty) && canChangeTaxRate
}
/// Keeps track of selected/unselected Products, if any
///
@Published private var selectedProducts: [Product] = []
/// Keeps track of selected/unselected Product Variations, if any
///
@Published private var selectedProductVariations: [ProductVariation] = []
/// Keeps track of all selected Products and Product Variations IDs
///
private var selectedProductsAndVariationsIDs: [Int64] {
let selectedProductsCount = selectedProducts.compactMap { $0.productID }
let selectedProductVariationsCount = selectedProductVariations.compactMap { $0.productVariationID }
return selectedProductsCount + selectedProductVariationsCount
}
// MARK: Shipping line properties
/// View model to display, add, edit, or remove shipping lines.
///
@Published var shippingLineViewModel: EditableOrderShippingLineViewModel
/// View model to display, add, edit, or remove coupon lines.
///
@Published var couponLineViewModel: EditableOrderCouponLineViewModel
// MARK: Customer data properties
/// View model for the customer section.
///
@Published private(set) var customerSectionViewModel: OrderCustomerSectionViewModel
/// Representation of customer data display properties.
///
@Published private(set) var customerDataViewModel: CustomerDataViewModel = .init(billingAddress: nil, shippingAddress: nil)
/// View model for the customer details address form.
///
@Published private(set) var addressFormViewModel: CreateOrderAddressFormViewModel
/// Keeps a reference to the latest Address form fields state
///
@Published private(set) var latestAddressFormFields: AddressFormFields? = nil
// MARK: Customer note properties
/// Representation of customer note data display properties.
///
@Published private(set) var customerNoteDataViewModel: CustomerNoteDataViewModel = .init(customerNote: "")
/// View model for the customer note section.
///
lazy private(set) var noteViewModel = { OrderFormCustomerNoteViewModel(originalNote: customerNoteDataViewModel.customerNote) }()
// MARK: Payment properties
/// Representation of payment data display properties
///
@Published private(set) var paymentDataViewModel = PaymentDataViewModel()
@Published private(set) var orderTotal: String = ""
/// Saves a coupon line after an edition on it.
///
/// - Parameter result: Contains the user action on the line: remove, add, or edit it changing the coupon code.
///
func saveCouponLine(result: CouponLineDetailsResult) {
switch result {
case let .removed(removeCode):
removeCoupon(with: removeCode)
case let .added(newCode):
addCoupon(with: newCode)
case let .edited(oldCode, newCode):
removeCoupon(with: oldCode)
addCoupon(with: newCode)
}
}
// MARK: -
/// Defines the current order status.
///
var currentOrderStatus: OrderStatusEnum {
orderSynchronizer.order.status
}
/// Current OrderItems
///
var currentOrderItems: [OrderItem] {
orderSynchronizer.order.items
}
/// Keeps track of the list of bundle configurations by product ID from the product selector since bundle product
/// is configured outside of the product selector.
private var productSelectorBundleConfigurationsByProductID: [Int64: [[BundledProductConfiguration]]] = [:]
/// Analytics engine.
///
private let analytics: Analytics
/// Order Synchronizer helper.
///
private let orderSynchronizer: OrderSynchronizer
/// Initial product or variation given to the order when is created, if any
///
private let initialItem: OrderBaseItem?
/// Initial customer data given to the order when it is created, if any
///
private let initialCustomer: (id: Int64, billing: Address?, shipping: Address?)?
private let orderDurationRecorder: OrderDurationRecorderProtocol
private let barcodeScannerItemFinder: BarcodeScannerItemFinder
private let quantityDebounceDuration: Double
init(siteID: Int64,
flow: Flow = .creation,
stores: StoresManager = ServiceLocator.stores,
storageManager: StorageManagerType = ServiceLocator.storageManager,
currencySettings: CurrencySettings = ServiceLocator.currencySettings,
analytics: Analytics = ServiceLocator.analytics,
featureFlagService: FeatureFlagService = ServiceLocator.featureFlagService,
orderDurationRecorder: OrderDurationRecorderProtocol = OrderDurationRecorder.shared,
permissionChecker: CaptureDevicePermissionChecker = AVCaptureDevicePermissionChecker(),
initialItem: OrderBaseItem? = nil,
initialCustomer: (id: Int64, billing: Address?, shipping: Address?)? = nil,
quantityDebounceDuration: Double = Constants.quantityDebounceDuration) {
self.siteID = siteID
self.flow = flow
self.stores = stores
self.storageManager = storageManager
self.currencyFormatter = CurrencyFormatter(currencySettings: currencySettings)
self.analytics = analytics
self.orderSynchronizer = RemoteOrderSynchronizer(siteID: siteID, flow: flow, stores: stores, currencySettings: currencySettings)
self.featureFlagService = featureFlagService
self.orderDurationRecorder = orderDurationRecorder
self.permissionChecker = permissionChecker
self.initialItem = initialItem
self.initialCustomer = initialCustomer
self.barcodeScannerItemFinder = BarcodeScannerItemFinder(stores: stores)
self.quantityDebounceDuration = quantityDebounceDuration
self.customAmountsSectionViewModel = OrderCustomAmountsSectionViewModel(currencySettings: currencySettings)
// Set a temporary initial view model, as a workaround to avoid making it optional.
// Needs to be reset before the view model is used.
let addressFormViewModel = CreateOrderAddressFormViewModel(siteID: siteID,
addressData: .init(billingAddress: nil, shippingAddress: nil),
onAddressUpdate: nil)
self.addressFormViewModel = addressFormViewModel
// A temporary initial value is set here to avoid being an optional, and it will be reset in `configureCustomerDataViewModel`.
self.customerSectionViewModel = .init(
siteID: siteID,
addressFormViewModel: addressFormViewModel,
customerData: .init(customerID: nil,
email: nil,
fullName: nil,
billingAddressFormatted: nil,
shippingAddressFormatted: nil),
isCustomerAccountRequired: false,
isEditable: true,
updateCustomer: { _ in },
resetAddressForm: {}
)
self.shippingLineViewModel = EditableOrderShippingLineViewModel(siteID: siteID, flow: flow, orderSynchronizer: orderSynchronizer)
self.couponLineViewModel = EditableOrderCouponLineViewModel(orderSynchronizer: orderSynchronizer)
configureDisabledState()
configureCollectPaymentDisabledState()
configureOrderTotal()
configureNavigationTrailingItem()
configureDoneButton()
configureSyncErrors()
configureStatusBadgeViewModel()
configureProductRowViewModels()
configureCustomAmountRowViewModels()
configureCustomerDataViewModel()
configurePaymentDataViewModel()
configureCustomerNoteDataViewModel()
configureNonEditableIndicators()
resetAddressForm()
syncInitialSelectedState()
configureTaxRates()
configureGiftCardSupport()
observeGiftCardStatesForAnalytics()
observeProductSelectorPresentationStateForViewModel()
forwardSyncApproachToSynchronizer()
observeChangesFromProductSelectorButtonTapSelectionSync()
observeChangesInCustomerDetails()
}
/// Observes and keeps track of changes within the Customer Details
///
private func observeChangesInCustomerDetails() {
guard featureFlagService.isFeatureFlagEnabled(.subscriptionsInOrderCreationCustomers) else {
addressFormViewModel.fieldsPublisher.sink { [weak self] newValue in
self?.latestAddressFormFields = newValue
}
.store(in: &cancellables)
return
}
customerSectionViewModel.addressFormViewModel.fieldsPublisher.sink { [weak self] newValue in
self?.latestAddressFormFields = newValue
}
.store(in: &cancellables)
}
/// Checks the latest Order sync, and returns the current items that are in the Order
///
private func syncExistingSelectedProductsInOrder() -> [OrderItem] {
var itemsInOrder: [OrderItem] = []
let _ = orderSynchronizer.order.items.map { item in
if item.variationID != 0 {
if let _ = allProductVariations.first(where: { $0.productVariationID == item.variationID }) {
itemsInOrder.append(item)
}
} else {
if let _ = allProducts.first(where: { $0.productID == item.productID }) {
itemsInOrder.append(item)
}
}
}
return itemsInOrder
}
/// Clears selected products and variations
///
private func clearAllSelectedItems() {
selectedProducts.removeAll()
selectedProductVariations.removeAll()
productSelectorBundleConfigurationsByProductID = [:]
}
private func trackClearAllSelectedItemsTapped() {
analytics.track(event: WooAnalyticsEvent.Orders.orderCreationProductSelectorClearSelectionButtonTapped(productType: .product))
}
/// Clears selected variations
///
private func clearSelectedVariations() {
analytics.track(event: WooAnalyticsEvent.Orders.orderCreationProductSelectorClearSelectionButtonTapped(productType: .variation))
selectedProductVariations.removeAll()
}
/// Toggles whether the product selector is shown or not.
///
func toggleProductSelectorVisibility() {
isProductSelectorPresented.toggle()
}
/// Synchronizes the item selection state by clearing all items, then retrieving the latest saved state
///
func syncOrderItemSelectionStateOnDismiss() {
clearAllSelectedItems()
syncInitialSelectedState()
}
/// Sets `discountViewModel` based on the provided order item id.
///
func setDiscountViewModel(_ itemID: Int64) {
// Find order item based on the provided id.
// Creates the product row view model needed for `ProductInOrderViewModel`.
guard let orderItem = orderSynchronizer.order.items.first(where: { $0.itemID == itemID }),
let rowViewModel = createProductRowViewModel(for: orderItem, childItems: []) else {
return discountViewModel = nil
}
discountViewModel = .init(id: itemID,
imageURL: rowViewModel.productRow.imageURL,
name: rowViewModel.productRow.name,
totalPricePreDiscount: orderItem.subtotal,
priceSummary: rowViewModel.productRow.priceSummaryViewModel,
discountConfiguration: addProductDiscountConfiguration(on: orderItem))
}
/// Removes an item from the order.
///
/// - Parameter item: Item to remove from the order
///
func removeItemFromOrder(_ item: OrderItem) {
guard let input = createUpdateProductInput(item: item, quantity: 0) else { return }
orderSynchronizer.setProduct.send(input)
if item.variationID != 0 {
selectedProductVariations.removeAll(where: { $0.productVariationID == item.variationID })
} else if item.productID != 0 {
selectedProducts.removeAll(where: { $0.productID == item.productID })
}
productSelectorViewModel?.removeSelection(id: item.productOrVariationID)
// When synching changes immediately, we need to update variations as well.
// If the variation list isn't showing, this will do nothing, but the model will still be accurate
// the next time the variation list is opened.
if let productVariationSelectorViewModel = productSelectorViewModel?.productVariationListViewModel {
productVariationSelectorViewModel.removeSelection(item.productOrVariationID)
}
analytics.track(event: WooAnalyticsEvent.Orders.orderProductRemove(flow: flow.analyticsFlow))
}
/// Removes an item from the order.
///
/// - Parameter productRowID: Item to remove from the order. Uses the unique ID of the product row.
///
func removeItemFromOrder(_ productRowID: Int64) {
guard let existingItemInOrder = currentOrderItems.first(where: { $0.itemID == productRowID }) else {
return
}
removeItemFromOrder(existingItemInOrder)
}
func addDiscountToOrderItem(item: OrderItem, discount: Decimal) {
guard let productInput = createUpdateProductInput(item: item, quantity: item.quantity, discount: discount) else {
return
}
orderSynchronizer.setProduct.send(productInput)
}
/// Creates a view model for the `ProductRow` corresponding to an order item.
///
func createProductRowViewModel(for item: OrderItem,
childItems: [OrderItem] = [],
isReadOnly: Bool = false,
pricedIndividually: Bool = true) -> CollapsibleProductCardViewModel? {
guard item.quantity > 0 else {
// Don't render any item with `.zero` quantity.
return nil
}
let itemDiscount = currentDiscount(on: item)
let passingDiscountValue = itemDiscount > 0 ? itemDiscount : nil
if item.variationID != 0,
let variation = allProductVariations.first(where: { $0.productVariationID == item.variationID }) {
let variableProduct = allProducts.first(where: { $0.productID == item.productID })
let attributes = ProductVariationFormatter().generateAttributes(for: variation, from: variableProduct?.attributes ?? [])
let stepperViewModel = ProductStepperViewModel(quantity: item.quantity,
name: item.name,
quantityUpdatedCallback: { [weak self] _ in
guard let self else { return }
self.analytics.track(event: WooAnalyticsEvent.Orders.orderProductQuantityChange(flow: self.flow.analyticsFlow))
}, removeProductIntent: { [weak self] in
self?.removeItemFromOrder(item)
})
let rowViewModel = CollapsibleProductRowCardViewModel(id: item.itemID,
productOrVariationID: variation.productVariationID,
hasParentProduct: item.parent != nil,
isReadOnly: isReadOnly,
imageURL: variation.imageURL,
name: item.name,
sku: variation.sku,
price: item.basePrice.stringValue,
pricedIndividually: pricedIndividually,
discount: passingDiscountValue,
productTypeDescription: ProductType.variable.description,
attributes: attributes,
stockStatus: variation.stockStatus,
stockQuantity: variation.stockQuantity,
manageStock: variation.manageStock,
stepperViewModel: stepperViewModel,
analytics: analytics)
return CollapsibleProductCardViewModel(productRow: rowViewModel, childProductRows: [])
} else if let product = allProducts.first(where: { $0.productID == item.productID }) {
let childProductRows = childItems.compactMap { childItem in
let pricedIndividually = {
guard product.productType == .bundle, let bundledItem = product.bundledItems.first(where: { $0.productID == childItem.productID }) else {
return true
}
return bundledItem.pricedIndividually
}()
let isReadOnly = product.productType == .bundle
return createProductRowViewModel(for: childItem,
isReadOnly: isReadOnly,
pricedIndividually: pricedIndividually)
}
let stepperViewModel = ProductStepperViewModel(quantity: item.quantity,
name: item.name,
quantityUpdatedCallback: { [weak self] _ in
guard let self else { return }
self.analytics.track(event: WooAnalyticsEvent.Orders.orderProductQuantityChange(flow: self.flow.analyticsFlow))
}, removeProductIntent: { [weak self] in
self?.removeItemFromOrder(item)
})
let isProductConfigurable = product.productType == .bundle && product.bundledItems.isNotEmpty
let rowViewModel = CollapsibleProductRowCardViewModel(id: item.itemID,
productOrVariationID: product.productID,
hasParentProduct: item.parent != nil,
isReadOnly: isReadOnly,
isConfigurable: isProductConfigurable,
productSubscriptionDetails: product.subscription,
imageURL: product.imageURL,
name: product.name,
sku: product.sku,
price: item.basePrice.stringValue,
pricedIndividually: pricedIndividually,
discount: passingDiscountValue,
productTypeDescription: product.productType.description,
attributes: [],
stockStatus: product.productStockStatus,
stockQuantity: product.stockQuantity,
manageStock: product.manageStock,
stepperViewModel: stepperViewModel,
analytics: analytics,
configure: { [weak self] in
guard let self else { return }
switch product.productType {
case .bundle:
self.configurableProductViewModel = .init(product: product,
orderItem: item,
childItems: childItems,
onConfigure: { [weak self] configuration in
guard let self else { return }
self.addBundleConfigurationToOrderItem(item: item, bundleConfiguration: configuration)
})
default:
break
}
})
return CollapsibleProductCardViewModel(productRow: rowViewModel, childProductRows: childProductRows.map { $0.productRow })
} else {
DDLogInfo("No product or variation found. Couldn't create the product row")
return nil
}
}
/// Resets the view model for the customer details address form based on the order addresses.
///
/// Can be used to configure the address form for first use or discard pending changes.
///
func resetAddressForm() {
guard featureFlagService.isFeatureFlagEnabled(.subscriptionsInOrderCreationCustomers) else {
addressFormViewModel = CreateOrderAddressFormViewModel(siteID: siteID,
addressData: .init(billingAddress: orderSynchronizer.order.billingAddress,
shippingAddress: orderSynchronizer.order.shippingAddress),
onAddressUpdate: { [weak self] updatedAddressData in
let input = Self.createAddressesInputIfPossible(billingAddress: updatedAddressData.billingAddress,
shippingAddress: updatedAddressData.shippingAddress)
self?.orderSynchronizer.setAddresses.send(input)
self?.trackCustomerDetailsAdded()
})
// Since the form is recreated the original reference is lost. This is a problem if we update the form more than once
// while keeping the Order open, since new published values won't be observed anymore.
// This is resolved by hooking the publisher again to the new object
observeChangesInCustomerDetails()
return
}
customerSectionViewModel.addressFormViewModel = .init(siteID: siteID,
showEmailField: false,
addressData: .init(billingAddress: orderSynchronizer.order.billingAddress,
shippingAddress: orderSynchronizer.order.shippingAddress),
onAddressUpdate: { [weak self] updatedAddressData in
let input = Self.createAddressesInputIfPossible(billingAddress: updatedAddressData.billingAddress,
shippingAddress: updatedAddressData.shippingAddress)
self?.orderSynchronizer.setAddresses.send(input)
self?.trackCustomerDetailsAdded()
})
// Since the form is recreated the original reference is lost. This is a problem if we update the form more than once
// while keeping the Order open, since new published values won't be observed anymore.
// This is resolved by hooking the publisher again to the new object
observeChangesInCustomerDetails()
}
/// Saves the latest data entered in the Address Form Fields if the view is dismissed with unsaved changes
/// Eg: on IPads, the modal is automatically dismissed on size class change, which would lead to data loss
///
func saveInflightCustomerDetails() {
guard let latestAddressFormFields else {
return
}
let latestSyncBillingAddress = orderSynchronizer.order.billingAddress
let latestSyncShippingAddress = orderSynchronizer.order.shippingAddress
let latestAddressState = latestAddressFormFields.toAddress()
if (latestSyncBillingAddress != latestAddressState) || (latestSyncShippingAddress != latestAddressState) {
let address = Address(firstName: latestAddressFormFields.firstName,
lastName: latestAddressFormFields.lastName,
company: latestAddressFormFields.company,
address1: latestAddressFormFields.address1,
address2: latestAddressFormFields.address2,
city: latestAddressFormFields.city,
state: latestAddressFormFields.state,
postcode: latestAddressFormFields.postcode,
country: latestAddressFormFields.country,
phone: latestAddressFormFields.phone,
email: latestAddressFormFields.email)
let input = Self.createAddressesInputIfPossible(billingAddress: address, shippingAddress: address)
orderSynchronizer.setAddresses.send(input)
trackCustomerDetailsAdded()
}
}
func addCustomerAddressToOrder(customer: Customer) {
let input = Self.createAddressesInputIfPossible(billingAddress: customer.billing, shippingAddress: customer.shipping)
// The customer ID needs to be set before the addresses, so that the customer ID doesn't get overridden by the API response (customer_id = 0
// by default) from updating the order's addresses remotely.
orderSynchronizer.setCustomerID.send(customer.customerID)
orderSynchronizer.setAddresses.send(input)
resetAddressForm()
}
private func removeCustomerFromOrder() {
orderSynchronizer.removeCustomerID.send(())
let input = Self.createAddressesInputIfPossible(billingAddress: .empty, shippingAddress: .empty)
orderSynchronizer.setAddresses.send(input)
}
func addTaxRateAddressToOrder(taxRate: TaxRate) {
guard let taxBasedOnSetting = taxBasedOnSetting else {
return
}
if storedTaxRate != taxRate {
// If the new tax rate is different than the stored one forget the latter
storedTaxRate = nil
}
let input: OrderSyncAddressesInput
switch taxBasedOnSetting {
case .customerBillingAddress:
input = OrderSyncAddressesInput(billing: orderSynchronizer.order.billingAddress?.applyingTaxRate(taxRate: taxRate) ??
Address.from(taxRate: taxRate),
shipping: orderSynchronizer.order.shippingAddress)
case .customerShippingAddress:
input = OrderSyncAddressesInput(billing: orderSynchronizer.order.billingAddress,
shipping: orderSynchronizer.order.shippingAddress?.applyingTaxRate(taxRate: taxRate) ??
Address.from(taxRate: taxRate))
default:
// Do not add address if the taxes are not based on the customer's addresses
return
}
orderSynchronizer.setAddresses.send(input)
resetAddressForm()
autodismissableNotice = Notice(title: Localization.newTaxRateSetSuccessMessage)
}
/// Updates the order creation draft with the current set customer note.
///
func updateCustomerNote() {
orderSynchronizer.setNote.send(noteViewModel.newNote)
trackCustomerNoteAdded()
}
/// Saves the current contents of the Order Note, if there are differences with the latest edited content
///
func saveInFlightOrderNotes() {
let latestSyncedNote = orderSynchronizer.order.customerNote
let currentlyEditedNote = noteViewModel.newNote
if latestSyncedNote != currentlyEditedNote {
updateCustomerNote()
}
}
func orderTotalsExpansionChanged(expanded: Bool) {
analytics.track(event: .Orders.orderTotalsExpansionChanged(flow: flow.analyticsFlow, expanded: expanded))
}
// MARK: - API Requests
/// Creates an order remotely using the provided order details.
///
private func createOrder(onSuccess: @escaping (_ order: Order, _ usesGiftCard: Bool) -> Void,
onFailure: @escaping (_ error: Error, _ usesGiftCard: Bool) -> Void) {
performingNetworkRequest = true
orderSynchronizer.commitAllChanges { [weak self] result, usesGiftCard in
guard let self = self else { return }
self.performingNetworkRequest = false
switch result {
case .success(let newOrder):
onSuccess(newOrder, usesGiftCard)
case .failure(let error):
onFailure(error, usesGiftCard)
DDLogError("⛔️ Error creating new order: \(error)")
}
}
}
func collectPayment(for order: Order) {
let formattedTotal = currencyFormatter.formatAmount(order.total, with: order.currency) ?? String()
let collectPaymentViewModel = PaymentMethodsViewModel(
siteID: siteID,
orderID: order.orderID,
paymentLink: order.paymentURL,
total: order.total,
formattedTotal: formattedTotal,
flow: .orderCreation,
channel: .storeManagement)
onFinishAndCollectPayment(order, collectPaymentViewModel)
}
/// Action triggered on `Done` button tap in order editing flow.
///
func finishEditing() {
self.onFinished(orderSynchronizer.order)
}
/// Assign this closure to be notified when the flow has finished.
/// For creation it means that the order has been created.
/// For edition it means that the merchant has finished editing the order.
///
var onFinished: (Order) -> Void = { _ in }
var onFinishAndCollectPayment: (Order, PaymentMethodsViewModel) -> Void = { _, _ in }
/// Updates the order status & tracks its event
///
func updateOrderStatus(newStatus: OrderStatusEnum) {
let oldStatus = orderSynchronizer.order.status
orderSynchronizer.setStatus.send(newStatus)
analytics.track(event: WooAnalyticsEvent.Orders.orderStatusChange(flow: flow.analyticsFlow,
orderID: orderSynchronizer.order.orderID,
from: oldStatus,
to: newStatus))
}
/// Deletes the order if it has been synced remotely, and removes it from local storage.
///
func discardOrder() {
// Only continue if the order has been synced remotely.
guard orderSynchronizer.order.orderID != .zero else {
return
}
let action = OrderAction.deleteOrder(siteID: siteID, order: orderSynchronizer.order, deletePermanently: true) { result in
switch result {
case .success:
break
case .failure(let error):
DDLogError("⛔️ Error deleting new order: \(error)")
}
}
stores.dispatch(action)
}
func onTaxRateSelected(_ taxRate: TaxRate) {
addTaxRateAddressToOrder(taxRate: taxRate)
}
func onSetNewTaxRateTapped() {
analytics.track(.orderCreationSetNewTaxRateTapped)