This commit is contained in:
LLC Rebus 2024-09-02 09:34:15 +05:00
parent 7d4e760778
commit 6be8ce1933
47 changed files with 1085 additions and 71 deletions

View file

@ -0,0 +1,84 @@
import CoreData
import Combine
class CurrencyPersistenceController: NSObject {
static let shared = CurrencyPersistenceController()
let container: NSPersistentContainer
private var currencyRatesSubject = PassthroughSubject<CurrencyRatesEntity?, ResourceError>()
private override init() {
container = NSPersistentContainer(name: "Currency")
super.init()
container.loadPersistentStores { (description, error) in
if let error = error {
fatalError("Failed to load Core Data stack: \(error)")
}
}
}
var context: NSManagedObjectContext {
return container.viewContext
}
func observeCurrencyRates() -> AnyPublisher<CurrencyRatesEntity?, ResourceError> {
// Use NSFetchedResultsController to observe changes
let fetchRequest: NSFetchRequest<CurrencyRatesEntity> = CurrencyRatesEntity.fetchRequest()
let fetchedResultsController = NSFetchedResultsController(
fetchRequest: fetchRequest,
managedObjectContext: context,
sectionNameKeyPath: nil,
cacheName: nil
)
fetchedResultsController.delegate = self
do {
try fetchedResultsController.performFetch()
if let fetchedEntity = fetchedResultsController.fetchedObjects?.first {
currencyRatesSubject.send(fetchedEntity)
} else {
debugPrint("No data")
currencyRatesSubject.send(completion: .failure(ResourceError.cacheError))
}
} catch {
debugPrint("Failed to fetch initial data: \(error)")
currencyRatesSubject.send(completion: .failure(ResourceError.cacheError))
}
return currencyRatesSubject.eraseToAnyPublisher()
}
func updateCurrencyRates(entity: CurrencyRates) -> AnyPublisher<Void, ResourceError> {
Future { promise in
let fetchRequest: NSFetchRequest<CurrencyRatesEntity> = CurrencyRatesEntity.fetchRequest()
do {
let entityToUpdate = try self.context.fetch(fetchRequest).first ?? CurrencyRatesEntity(context: self.context)
entityToUpdate.usd = entity.usd
entityToUpdate.eur = entity.eur
entityToUpdate.rub = entity.rub
try self.context.save()
promise(.success(()))
} catch {
promise(.failure(ResourceError.cacheError))
}
}
.eraseToAnyPublisher()
}
}
extension CurrencyPersistenceController: NSFetchedResultsControllerDelegate {
func controllerDidChangeContent(_ controller: NSFetchedResultsController<NSFetchRequestResult>) {
guard let fetchedObjects = controller.fetchedObjects as? [CurrencyRatesEntity],
let updatedEntity = fetchedObjects.first else {
currencyRatesSubject.send(nil)
return
}
// Emit the updated entity through the Combine subject
currencyRatesSubject.send(updatedEntity)
}
}

View file

@ -0,0 +1,6 @@
<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<model type="com.apple.IDECoreDataModeler.DataModel" documentVersion="1.0" lastSavedToolsVersion="21513" systemVersion="21G646" minimumToolsVersion="Automatic" sourceLanguage="Swift" userDefinedModelVersionIdentifier="">
<entity name="Entity" representedClassName="Entity" syncable="YES" codeGenerationType="class">
<attribute name="attribute" optional="YES"/>
</entity>
</model>

View file

@ -0,0 +1,9 @@
//
// PersonalData.swift
// OMaps
//
// Created by LLC Rebus on 26/08/24.
// Copyright © 2024 Organic Maps. All rights reserved.
//
import Foundation

View file

@ -0,0 +1,2 @@
<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<model type="com.apple.IDECoreDataModeler.DataModel" documentVersion="1.0" lastSavedToolsVersion="22758" systemVersion="23G93" minimumToolsVersion="Automatic" sourceLanguage="Swift" usedWithSwiftData="YES" userDefinedModelVersionIdentifier=""/>

View file

@ -0,0 +1,5 @@
extension CurrencyRatesEntity {
func toCurrencyRates() -> CurrencyRates {
return CurrencyRates(usd: usd, eur: eur, rub: rub)
}
}

View file

@ -0,0 +1,9 @@
//
// PersonalDataPersistenceController.swift
// OMaps
//
// Created by LLC Rebus on 26/08/24.
// Copyright © 2024 Organic Maps. All rights reserved.
//
import Foundation

View file

@ -0,0 +1,72 @@
import CoreData
import Combine
class SingleEntityCoreDataController<Entity: NSManagedObject>: NSObject, NSFetchedResultsControllerDelegate {
private let container: NSPersistentContainer
private var fetchedResultsController: NSFetchedResultsController<Entity>?
var entitySubject = PassthroughSubject<Entity?, ResourceError>()
init(modelName: String) {
container = NSPersistentContainer(name: modelName)
super.init()
container.loadPersistentStores { (description, error) in
if let error = error {
fatalError("Failed to load Core Data stack: \(error)")
}
}
}
var context: NSManagedObjectContext {
return container.viewContext
}
func observeEntity(fetchRequest: NSFetchRequest<Entity>, sortDescriptor: NSSortDescriptor) {
fetchRequest.sortDescriptors = [sortDescriptor]
fetchedResultsController = NSFetchedResultsController(
fetchRequest: fetchRequest,
managedObjectContext: context,
sectionNameKeyPath: nil,
cacheName: nil
)
fetchedResultsController?.delegate = self
do {
try fetchedResultsController?.performFetch()
if let fetchedEntity = fetchedResultsController?.fetchedObjects?.first {
entitySubject.send(fetchedEntity)
} else {
entitySubject.send(nil)
}
} catch {
entitySubject.send(completion: .failure(ResourceError.cacheError))
}
}
func updateEntity(updateBlock: @escaping (Entity) -> Void, fetchRequest: NSFetchRequest<Entity>) -> AnyPublisher<Void, ResourceError> {
Future { promise in
do {
let entityToUpdate = try self.context.fetch(fetchRequest).first ?? Entity(context: self.context)
updateBlock(entityToUpdate)
try self.context.save()
promise(.success(()))
} catch {
promise(.failure(ResourceError.cacheError))
}
}
.eraseToAnyPublisher()
}
// NSFetchedResultsControllerDelegate
func controllerDidChangeContent(_ controller: NSFetchedResultsController<NSFetchRequestResult>) {
guard let fetchedObjects = controller.fetchedObjects as? [Entity],
let updatedEntity = fetchedObjects.first else {
entitySubject.send(completion: .failure(ResourceError.cacheError))
return
}
entitySubject.send(updatedEntity)
}
}

View file

@ -0,0 +1,9 @@
//
// SignUpRequestDTO.swift
// OMaps
//
// Created by Macbook Pro on 18/08/24.
// Copyright © 2024 Organic Maps. All rights reserved.
//
import Foundation

View file

@ -0,0 +1,9 @@
//
// CurrencyRatesDTO.swift
// OMaps
//
// Created by Macbook Pro on 19/08/24.
// Copyright © 2024 Organic Maps. All rights reserved.
//
import Foundation

View file

@ -0,0 +1,9 @@
//
// PersonalDataDTO.swift
// OMaps
//
// Created by Macbook Pro on 19/08/24.
// Copyright © 2024 Organic Maps. All rights reserved.
//
import Foundation

View file

@ -0,0 +1,13 @@
import Combine
import Foundation
protocol CurrencyService {
func getCurrencyRates() -> AnyPublisher<CurrencyRatesDTO, ResourceError>
}
class CurrencyServiceImpl: CurrencyService {
func getCurrencyRates() -> AnyPublisher<CurrencyRatesDTO, ResourceError> {
return CombineNetworkHelper.get(path: APIEndpoints.currencyUrl)
}
}

View file

@ -0,0 +1,12 @@
import Combine
protocol ProfileService {
func getPersonalData() -> AnyPublisher<PersonalDataDTO, ResourceError>
}
class PersonalDataServiceImpl: ProfileService {
func getPersonalData() -> AnyPublisher<PersonalDataDTO, ResourceError> {
return CombineNetworkHelper.get(path: APIEndpoints.getUserUrl)
}
}

View file

@ -1,11 +1,11 @@
import Foundation
import Combine
// EminoFire is kinda "library" for the abstraction of http code.
// It is named after the inventor of this piece Emin
// EminoFire is a kind of "library" for the abstraction of http code.
// It is named after the inventor of this piece - Emin
class CombineNetworkHelper {
// MARK: - Lower level code
static func createRequest(url: URL, method: String, headers: [String: String] = [:], body: Data? = nil) -> URLRequest {
var request = URLRequest(url: url)
request.httpMethod = method
@ -34,7 +34,7 @@ class CombineNetworkHelper {
static func handleResponse<T: Decodable>(data: Data, response: URLResponse, decoder: JSONDecoder = JSONDecoder()) throws -> T {
guard let httpResponse = response as? HTTPURLResponse else {
throw NetworkError.other(message: "Network request error")
throw ResourceError.other(message: "Network request error")
}
debugPrint("Status Code: \(httpResponse.statusCode)")
@ -44,24 +44,24 @@ class CombineNetworkHelper {
return try decodeResponse(data: data, as: T.self)
case 422:
let decodedResponse = try decodeResponse(data: data, as: ErrorResponse.self)
throw NetworkError.errorToUser(message: decodedResponse.message)
throw ResourceError.errorToUser(message: decodedResponse.message)
case 500...599:
throw NetworkError.serverError(message: "Server Error: \(httpResponse.statusCode)")
throw ResourceError.serverError(message: "Server Error: \(httpResponse.statusCode)")
default:
throw NetworkError.other(message: "Unknown error")
throw ResourceError.other(message: "Unknown error")
}
}
static func handleMappingError(_ error: Error) -> NetworkError {
static func handleMappingError(_ error: Error) -> ResourceError {
debugPrint("Mapping error: \(error)")
return error as? NetworkError ?? NetworkError.other(message: "\(error)")
return error as? ResourceError ?? ResourceError.other(message: "\(error)")
}
static func performRequest<T: Decodable>(url: URL,
method: String,
body: Data? = nil,
headers: [String: String] = [:],
decoder: JSONDecoder = JSONDecoder()) -> AnyPublisher<T, NetworkError> {
decoder: JSONDecoder = JSONDecoder()) -> AnyPublisher<T, ResourceError> {
let request = createRequest(url: url, method: method, headers: headers, body: body)
return URLSession.shared.dataTaskPublisher(for: request)
@ -75,28 +75,29 @@ class CombineNetworkHelper {
.eraseToAnyPublisher()
}
static func get<T: Decodable>(url: URL, headers: [String: String] = [:], decoder: JSONDecoder = JSONDecoder()) -> AnyPublisher<T, NetworkError> {
// MARK: - HTTP requests
static func get<T: Decodable>(url: URL, headers: [String: String] = [:], decoder: JSONDecoder = JSONDecoder()) -> AnyPublisher<T, ResourceError> {
return performRequest(url: url, method: "GET", headers: headers, decoder: decoder)
}
static func post<T: Decodable, U: Encodable>(path: String, body: U, headers: [String: String] = [:], decoder: JSONDecoder = JSONDecoder()) -> AnyPublisher<T, NetworkError> {
static func post<T: Decodable, U: Encodable>(path: String, body: U, headers: [String: String] = [:], decoder: JSONDecoder = JSONDecoder()) -> AnyPublisher<T, ResourceError> {
guard let url = URL(string: path) else {
debugPrint("Invalid url")
return Fail(error: NetworkError.other(message: "Invalid url")).eraseToAnyPublisher()
return Fail(error: ResourceError.other(message: "Invalid url")).eraseToAnyPublisher()
}
do {
let jsonData = try encodeRequestBody(body)
return performRequest(url: url, method: "POST", body: jsonData, headers: headers, decoder: decoder)
} catch {
return Fail(error: NetworkError.other(message: "Encoding error: \(error)")).eraseToAnyPublisher()
return Fail(error: ResourceError.other(message: "Encoding error: \(error)")).eraseToAnyPublisher()
}
}
static func postWithoutBody<T: Decodable>(path: String, headers: [String: String] = [:], decoder: JSONDecoder = JSONDecoder()) -> AnyPublisher<T, NetworkError> {
static func postWithoutBody<T: Decodable>(path: String, headers: [String: String] = [:], decoder: JSONDecoder = JSONDecoder()) -> AnyPublisher<T, ResourceError> {
guard let url = URL(string: path) else {
debugPrint("Invalid url")
return Fail(error: NetworkError.other(message: "Invalid url")).eraseToAnyPublisher()
return Fail(error: ResourceError.other(message: "Invalid url")).eraseToAnyPublisher()
}
return performRequest(url: url, method: "POST", headers: headers, decoder: decoder)

View file

@ -0,0 +1,9 @@
//
// UserPreferences.swift
// OMaps
//
// Created by Macbook Pro on 14/08/24.
// Copyright © 2024 Organic Maps. All rights reserved.
//
import Foundation

View file

@ -0,0 +1,9 @@
//
// CurrencyRepositoryImpl.swift
// OMaps
//
// Created by Macbook Pro on 19/08/24.
// Copyright © 2024 Organic Maps. All rights reserved.
//
import Foundation

View file

@ -0,0 +1,9 @@
//
// ProfileRepositoryImpl.swift
// OMaps
//
// Created by LLC Rebus on 26/08/24.
// Copyright © 2024 Organic Maps. All rights reserved.
//
import Foundation

View file

@ -1,7 +1,8 @@
import Foundation
enum NetworkError: LocalizedError {
enum ResourceError: Error {
case serverError(message: String)
case cacheError
case other(message: String)
case errorToUser(message: String)
@ -9,6 +10,8 @@ enum NetworkError: LocalizedError {
switch self {
case .serverError:
return L("server_error")
case .cacheError:
return L("cache_error")
case .other:
return L("smth_went_wrong")
case .errorToUser(let message):

View file

@ -0,0 +1,9 @@
//
// CurrencyRates.swift
// OMaps
//
// Created by Macbook Pro on 19/08/24.
// Copyright © 2024 Organic Maps. All rights reserved.
//
import Foundation

View file

@ -0,0 +1,11 @@
import Foundation
struct PersonalData: Identifiable {
let id: Int64
let fullName: String
let country: String
let pfpUrl: String?
let email: String
let language: String?
let theme: String?
}

View file

@ -0,0 +1,11 @@
import Foundation
struct PersonalData: Identifiable {
let id: Int64
let fullName: String
let country: String
let pfpUrl: String?
let email: String
let language: String?
let theme: String?
}

View file

@ -0,0 +1,9 @@
//
// PersonalDataToSend.swift
// OMaps
//
// Created by LLC Rebus on 28/08/24.
// Copyright © 2024 Organic Maps. All rights reserved.
//
import Foundation

View file

@ -0,0 +1,9 @@
//
// SImpleResponse.swift
// OMaps
//
// Created by Macbook Pro on 18/08/24.
// Copyright © 2024 Organic Maps. All rights reserved.
//
import Foundation

View file

@ -0,0 +1,9 @@
//
// CurrencyRepository.swift
// OMaps
//
// Created by Macbook Pro on 16/08/24.
// Copyright © 2024 Organic Maps. All rights reserved.
//
import Foundation

View file

@ -0,0 +1,9 @@
//
// ProfileRepository.swift
// OMaps
//
// Created by Macbook Pro on 16/08/24.
// Copyright © 2024 Organic Maps. All rights reserved.
//
import Foundation

View file

@ -0,0 +1,9 @@
//
// PrimaryButton.swift
// OMaps
//
// Created by LLC Rebus on 27/08/24.
// Copyright © 2024 Organic Maps. All rights reserved.
//
import Foundation

View file

@ -0,0 +1,37 @@
import SwiftUI
struct SecondaryButton: View {
var label: String
var loading: Bool = false
var icon: (() -> AnyView)? = nil
var onClick: () -> Void
var body: some View {
Button(action: onClick) {
HStack {
if loading {
// Loading indicator (you can customize this part)
ProgressView()
.progressViewStyle(CircularProgressViewStyle())
} else {
if let icon = icon {
icon()
.frame(width: 30, height: 30)
}
Text(label)
.font(.headline)
.fontWeight(.semibold)
.foregroundColor(Color.primary)
.padding()
}
}
.padding()
.background(Color.clear)
.overlay(
RoundedRectangle(cornerRadius: 16)
.stroke(Color.primary, lineWidth: 1)
)
}
.padding()
}
}

View file

@ -0,0 +1,9 @@
//
// CountryAsLabel.swift
// OMaps
//
// Created by LLC Rebus on 26/08/24.
// Copyright © 2024 Organic Maps. All rights reserved.
//
import Foundation

View file

@ -0,0 +1,9 @@
//
// LoadImg.swift
// OMaps
//
// Created by Macbook Pro on 15/08/24.
// Copyright © 2024 Organic Maps. All rights reserved.
//
import Foundation

View file

@ -0,0 +1,15 @@
import SwiftUI
struct AppBackButton: View {
var onBackClick: () -> Void
var tint: SwiftUI.Color = .primary
var body: some View {
Button(action: onBackClick) {
Image(systemName: "chevron.left")
.resizable()
.frame(width: 24, height: 24)
.foregroundColor(tint)
}
}
}

View file

@ -0,0 +1,9 @@
//
// AppTopBar.swift
// OMaps
//
// Created by Macbook Pro on 15/08/24.
// Copyright © 2024 Organic Maps. All rights reserved.
//
import Foundation

View file

@ -0,0 +1,19 @@
import SwiftUI
struct BackButtonWithText: View {
var onBackClick: () -> Void
var body: some View {
Button(action: onBackClick) {
HStack {
Image(systemName: "chevron.left")
.resizable()
.frame(width: 16, height: 16)
Text("Back")
.font(.body)
}
.padding(.horizontal, 16)
.padding(.vertical, 8)
}
}
}

View file

@ -44,9 +44,9 @@ class AppButton: UIButton {
// MARK: Styles
private func setPrimaryAppearance() {
setTitleColor(.white, for: .normal)
self.backgroundColor = Color.primary
self.backgroundColor = UIKitColor.primary
if let lab = self.titleLabel {
Font.applyStyle(to: lab, style: Font.h4)
UIKitFont.applyStyle(to: lab, style: UIKitFont.h4)
}
layer.cornerRadius = 16
}

View file

@ -0,0 +1,9 @@
//
// PhotoPickerView.swift
// OMaps
//
// Created by LLC Rebus on 27/08/24.
// Copyright © 2024 Organic Maps. All rights reserved.
//
import Foundation

View file

@ -0,0 +1,9 @@
//
// Spacers.swift
// OMaps
//
// Created by LLC Rebus on 26/08/24.
// Copyright © 2024 Organic Maps. All rights reserved.
//
import Foundation

View file

@ -0,0 +1,5 @@
extension UIScreen{
static let screenWidth = UIScreen.main.bounds.size.width
static let screenHeight = UIScreen.main.bounds.size.height
static let screenSize = UIScreen.main.bounds.size
}

View file

@ -0,0 +1,14 @@
import SwiftUI
struct HomeScreen: View {
var body: some View {
Text("Oh, Hi Mark!")
}
}
struct HomeScreen_Previews: PreviewProvider {
static var previews: some View {
HomeScreen()
}
}

View file

@ -1,40 +0,0 @@
import UIKit
class HomeViewController: UIViewController {
private let label1: UILabel = {
let label = UILabel()
label.text = L("bookmark_list_description_hint")
label.textAlignment = .center
label.translatesAutoresizingMaskIntoConstraints = false
label.textColor = Color.primary
Font.applyStyle(to: label, style: Font.h1)
return label
}()
private let label2: UILabel = {
let label = UILabel()
label.text = L("welcome_to_tjk")
label.textAlignment = .center
label.translatesAutoresizingMaskIntoConstraints = false
label.textColor = Color.onBackground
Font.applyStyle(to: label, style: Font.b1)
return label
}()
override func viewDidLoad() {
super.viewDidLoad()
view.backgroundColor = Color.background
view.addSubview(label1)
view.addSubview(label2)
NSLayoutConstraint.activate([
label1.centerXAnchor.constraint(equalTo: view.centerXAnchor),
label1.centerYAnchor.constraint(equalTo: view.centerYAnchor),
label2.centerXAnchor.constraint(equalTo: view.centerXAnchor),
label2.topAnchor.constraint(equalTo: label1.bottomAnchor, constant: 20)
])
}
}

View file

@ -0,0 +1,20 @@
import SwiftUI
class HomeViewController: UIViewController {
override func viewDidLoad() {
super.viewDidLoad()
let hostingController = UIHostingController(rootView: HomeScreen())
addChild(hostingController)
hostingController.view.frame = view.frame
view.addSubview(hostingController.view)
hostingController.didMove(toParent: self)
}
}
struct HomeScreen: View {
var body: some View {
Text("kdfal;ksjf")
}
}

View file

@ -0,0 +1,9 @@
//
// AppTextField.swift
// OMaps
//
// Created by LLC Rebus on 27/08/24.
// Copyright © 2024 Organic Maps. All rights reserved.
//
import Foundation

View file

@ -0,0 +1,9 @@
//
// PersonalDataController.swift
// OMaps
//
// Created by LLC Rebus on 26/08/24.
// Copyright © 2024 Organic Maps. All rights reserved.
//
import Foundation

View file

@ -0,0 +1,264 @@
import UIKit
import SwiftUI
class ProfileViewController: UIViewController {
override func viewDidLoad() {
super.viewDidLoad()
integrateSwiftUIScreen(ProfileScreen())
}
}
struct ProfileScreen: View {
@ObservedObject var profileVM: ProfileViewModel = ProfileViewModel(
currencyRepository: CurrencyRepositoryImpl(
currencyService: CurrencyServiceImpl(),
currencyPersistenceController: CurrencyPersistenceController.shared
),
profileRepository: ProfileRepositoryImpl(
personalDataService: PersonalDataServiceImpl(),
personalDataPersistenceController: PersonalDataPersistenceController.shared
),
authRepository: AuthRepositoryImpl(authService: AuthServiceImpl()),
userPreferences: UserPreferences.shared
)
@ObservedObject var themeVM: ThemeViewModel = ThemeViewModel(userPreferences: UserPreferences.shared)
@State private var isSheetOpen = false
@State private var signOutLoading = false
@State private var showToast = false
func onPersonalDataClick() {
// TODO: cmon
}
func onLanguageClick () {
navigateToLanguageSettings()
}
var body: some View {
ScrollView {
VStack (alignment: .leading) {
AppTopBar(title: L("tourism_profile"))
Spacer().frame(height: 16)
if let personalData = profileVM.personalData {
ProfileBar(personalData: personalData)
}
Spacer().frame(height: 32)
if let currencyRates = profileVM.currencyRates {
CurrencyRatesView(currencyRates: currencyRates)
Spacer().frame(height: 20)
}
GenericProfileItem(
label: L("personal_data"),
icon: "person.circle",
onClick: {
onPersonalDataClick()
}
)
Spacer().frame(height: 20)
GenericProfileItem(
label: L("language"),
icon: "globe",
onClick: {
onLanguageClick()
}
)
Spacer().frame(height: 20)
ThemeSwitch(themeViewModel: themeVM)
Spacer().frame(height: 20)
GenericProfileItem(
label: L("sign_out"),
icon: "rectangle.portrait.and.arrow.right",
isLoading: signOutLoading,
onClick: {
isSheetOpen = true
}
)
}
.padding(16)
}
.overlay(
Group {
if showToast {
ToastView(message: "This is a toast message", isPresented: $showToast)
.padding(.bottom)
}
},
alignment: .bottom
)
.sheet(isPresented: $isSheetOpen) {
SignOutWarning(
onSignOutClick: {
signOutLoading = true
profileVM.signOut()
},
onCancelClick: {
isSheetOpen = false
}
)
}
}
}
struct ProfileBar: View {
var personalData: PersonalData
var body: some View {
HStack(alignment: .center) {
LoadImageView(url: personalData.pfpUrl)
.frame(width: 100, height: 100)
.clipShape(Circle())
Spacer().frame(width: 16)
VStack(alignment: .leading) {
Text(personalData.fullName)
.textStyle(TextStyle.h2)
UICountryAsLabelView(code: personalData.country)
.frame(height: 30)
}
}
}
}
struct CurrencyRatesView: View {
var currencyRates: CurrencyRates
var body: some View {
HStack(spacing: 16) {
CurrencyRatesItem(countryCode: "US", flagEmoji: "🇺🇸", value: String(format: "%.2f", currencyRates.usd))
CurrencyRatesItem(countryCode: "EU", flagEmoji: "🇪🇺", value: String(format: "%.2f", currencyRates.eur))
CurrencyRatesItem(countryCode: "RU", flagEmoji: "🇷🇺", value: String(format: "%.2f", currencyRates.rub))
}
.frame(maxWidth: .infinity, maxHeight: profileItemHeight)
.padding(16)
.overlay(
RoundedRectangle(cornerRadius: 20)
.stroke(Color.border, lineWidth: 2)
)
.cornerRadius(20)
}
}
struct CurrencyRatesItem: View {
var countryCode: String
var flagEmoji: String
var value: String
var body: some View {
HStack {
Text(flagEmoji)
.font(.system(size: 33))
Text(value)
}
}
}
struct GenericProfileItem: View {
var label: String
var icon: String
var isLoading: Bool = false
var onClick: () -> Void
var body: some View {
HStack {
Text(label)
.textStyle(TextStyle.b1)
Spacer()
if isLoading {
ProgressView()
} else {
Image(systemName: icon)
.foregroundColor(Color.border)
}
}
.contentShape(Rectangle())
.onTapGesture {
onClick()
}
.frame(height: profileItemHeight)
.padding()
.overlay(
RoundedRectangle(cornerRadius: 20)
.stroke(Color.border, lineWidth: 2)
)
.cornerRadius(20)
}
}
struct ThemeSwitch: View {
@Environment(\.colorScheme) var colorScheme
@ObservedObject var themeViewModel: ThemeViewModel
var body: some View {
HStack {
Text("Dark Theme")
.textStyle(TextStyle.b1)
Spacer()
Toggle(isOn: Binding(
get: {
colorScheme == .dark
},
set: { isDark in
let themeCode = isDark ? "dark" : "light"
themeViewModel.setTheme(themeCode: themeCode)
changeTheme(themeCode: themeCode)
themeViewModel.updateThemeOnServer(themeCode: themeCode)
}
)) {
Text("")
}
.labelsHidden()
.frame(height: 10)
}
.frame(height: profileItemHeight)
.padding()
.overlay(
RoundedRectangle(cornerRadius: 20)
.stroke(Color.border, lineWidth: 2)
)
.cornerRadius(20)
}
}
struct SignOutWarning: View {
var onSignOutClick: () -> Void
var onCancelClick: () -> Void
var body: some View {
VStack(spacing: 16) {
Text("Are you sure you want to sign out?")
.font(.headline)
HStack {
Button("Cancel", action: onCancelClick)
.padding()
.background(SwiftUI.Color.clear)
.cornerRadius(8)
Button("Sign Out", action: onSignOutClick)
.padding()
.background(Color.heartRed)
.foregroundColor(Color.onBackground)
.cornerRadius(8)
}
}
.padding()
}
}
let profileItemHeight: CGFloat = 25

View file

@ -0,0 +1,126 @@
import Foundation
import Combine
import SwiftUI
class ProfileViewModel: ObservableObject {
private let currencyRepository: CurrencyRepository
private let profileRepository: ProfileRepository
private let authRepository: AuthRepository
private let userPreferences: UserPreferences
var onMessageToUserRequested: ((String) -> Void)? = nil
var onSignOutCompleted: (() -> Void)? = nil
@Published var pfpFile: URL? = nil
@Published var fullName: String = ""
@Published var email: String = ""
@Published var countryCodeName: String? = nil
@Published var personalData: PersonalData? = nil
@Published var signOutResponse: SimpleResponse? = nil
@Published var currencyRates: CurrencyRates? = nil
private var cancellables = Set<AnyCancellable>()
init(
currencyRepository: CurrencyRepository,
profileRepository: ProfileRepository,
authRepository: AuthRepository,
userPreferences: UserPreferences
) {
self.currencyRepository = currencyRepository
self.profileRepository = profileRepository
self.authRepository = authRepository
self.userPreferences = userPreferences
// Automatically fetch data when initialized
getPersonalData()
getCurrency()
}
// MARK: - Methods
func setPfpFile(pfpFile: URL) {
self.pfpFile = pfpFile
}
func setFullName(_ value: String) {
self.fullName = value
}
func setEmail(_ value: String) {
self.email = value
}
func setCountryCodeName(_ value: String?) {
self.countryCodeName = value
}
func getPersonalData() {
profileRepository.personalDataPassThroughSubject
.sink { completion in
if case let .failure(error) = completion {
self.onMessageToUserRequested?(error.errorDescription)
}
} receiveValue: { resource in
self.personalData = resource
}
.store(in: &cancellables)
profileRepository.getPersonalData()
}
// func save() {
// guard case let .success(personalData) = personalDataResource else { return }
//1
// profileRepository.updateProfile(
// fullName: fullName,
// country: countryCodeName ?? "",
// email: email != personalData.email ? email : nil,
// pfpUrl: pfpFile
// )
// .sink { completion in
// if case let .failure(error) = completion {
// self.showToast(message: error.localizedDescription)
// }
// } receiveValue: { resource in
// if case let .success(personalData) = resource {
// self.updatePersonalDataInMemory(personalData: personalData)
// self.showToast(message: "Saved")
// }
// }
// .store(in: &cancellables)
// }
//
// private func updatePersonalDataInMemory(personalData: PersonalData) {
// self.fullName = personalData.fullName
// self.email = personalData.email
// self.countryCodeName = personalData.country
// }
func getCurrency() {
currencyRepository.currencyPassThroughSubject
.sink { completion in
if case let .failure(error) = completion {
self.onMessageToUserRequested?(error.errorDescription)
}
} receiveValue: { resource in
self.currencyRates = resource
}
.store(in: &cancellables)
currencyRepository.getCurrency()
}
func signOut() {
authRepository.signOut()
.sink { completion in
if case let .failure(error) = completion {
self.onMessageToUserRequested?(error.errorDescription)
}
} receiveValue: { response in
self.signOutResponse = response
self.userPreferences.setToken(value: nil)
self.onSignOutCompleted?()
self.onMessageToUserRequested?(response.message)
}
.store(in: &cancellables)
}
}

View file

@ -0,0 +1,27 @@
import UIKit
import SwiftUI
class TabBarController: UITabBarController {
override func viewDidLoad() {
super.viewDidLoad()
let firstTab = UITabBarItem(title: L("home"), image: UIImage(systemName: "house"), selectedImage: UIImage(systemName: "house.fill"))
let secondTab = UITabBarItem(title: L("profile"), image: UIImage(systemName: "person"), selectedImage: UIImage(systemName: "person.fill"))
let homeNav = UINavigationController()
let profileNav = UINavigationController()
let homeVC = HomeViewController()
let profileVC = ProfileViewController()
homeNav.viewControllers = [homeVC]
profileNav.viewControllers = [profileVC]
homeNav.tabBarItem = firstTab
profileNav.tabBarItem = secondTab
viewControllers = [homeNav, profileNav]
}
}

View file

@ -0,0 +1,9 @@
//
// ThemeViewMode.swift
// OMaps
//
// Created by Macbook Pro on 15/08/24.
// Copyright © 2024 Organic Maps. All rights reserved.
//
import Foundation

View file

@ -1,4 +1,104 @@
class Font {
import SwiftUI
// MARK: - used in SwiftUI
extension Font {
static func black(size: CGFloat) -> Font {
return Font.custom("Gilroy-Black", size: size)
}
static func bold(size: CGFloat) -> Font {
return Font.custom("Gilroy-Bold", size: size)
}
static func extraBold(size: CGFloat) -> Font {
return Font.custom("Gilroy-ExtraBold", size: size)
}
static func heavy(size: CGFloat) -> Font {
return Font.custom("Gilroy-Heavy", size: size)
}
static func light(size: CGFloat) -> Font {
return Font.custom("Gilroy-Light", size: size)
}
static func medium(size: CGFloat) -> Font {
return Font.custom("Gilroy-Medium", size: size)
}
static func regular(size: CGFloat) -> Font {
return Font.custom("Gilroy-Regular", size: size)
}
static func semiBold(size: CGFloat) -> Font {
return Font.custom("Gilroy-SemiBold", size: size)
}
static func thin(size: CGFloat) -> Font {
return Font.custom("Gilroy-Thin", size: size)
}
static func ultraLight(size: CGFloat) -> Font {
return Font.custom("Gilroy-UltraLight", size: size)
}
}
extension TextStyle {
static let genericStyle = TextStyle(
font: .regular(size: 16.0),
lineHeight: 18
)
static let humongous = TextStyle(
font: .extraBold(size: 36.0),
lineHeight: 40
)
static let h1 = TextStyle(
font: .semiBold(size: 32.0),
lineHeight: 36
)
static let h2 = TextStyle(
font: .semiBold(size: 24.0),
lineHeight: 36
)
static let h3 = TextStyle(
font: .semiBold(size: 20.0),
lineHeight: 22
)
static let h4 = TextStyle(
font: .medium(size: 16.0),
lineHeight: 18
)
static let b1 = TextStyle(
font: .regular(size: 14.0),
lineHeight: 16
)
static let b2 = TextStyle(
font: .regular(size: 12.0),
lineHeight: 14
)
static let b3 = TextStyle(
font: .regular(size: 10.0),
lineHeight: 12
)
}
struct TextStyle {
let font: Font
let lineHeight: CGFloat
}
// MARK: - used in UIKit
class UIKitFont {
// MARK: - Font by Weights
class func black(size: CGFloat) -> UIFont {
return getCustomFont(withName: "Gilroy-Black", size: size)
@ -41,47 +141,47 @@ class Font {
}
// MARK: - Font by Styles
static let genericStyle = TextStyle(
static let genericStyle = UIKitTextStyle(
font: regular(size: 16.0),
lineHeight: 18
)
static let humongous = TextStyle(
static let humongous = UIKitTextStyle(
font: extraBold(size: 36.0),
lineHeight: 40
)
static let h1 = TextStyle(
static let h1 = UIKitTextStyle(
font: semiBold(size: 32.0),
lineHeight: 36
)
static let h2 = TextStyle(
static let h2 = UIKitTextStyle(
font: semiBold(size: 24.0),
lineHeight: 36
)
static let h3 = TextStyle(
static let h3 = UIKitTextStyle(
font: semiBold(size: 20.0),
lineHeight: 22
)
static let h4 = TextStyle(
static let h4 = UIKitTextStyle(
font: medium(size: 16.0),
lineHeight: 18
)
static let b1 = TextStyle(
static let b1 = UIKitTextStyle(
font: regular(size: 14.0),
lineHeight: 16
)
static let b2 = TextStyle(
static let b2 = UIKitTextStyle(
font: regular(size: 12.0),
lineHeight: 14
)
static let b3 = TextStyle(
static let b3 = UIKitTextStyle(
font: regular(size: 10.0),
lineHeight: 12
)
@ -94,7 +194,7 @@ class Font {
return UIFont.systemFont(ofSize: size)
}
static func applyStyle(to label: UILabel, style: TextStyle) {
static func applyStyle(to label: UILabel, style: UIKitTextStyle) {
label.font = style.font
label.adjustsFontForContentSizeCategory = true
let lineHeight = style.lineHeight
@ -107,7 +207,7 @@ class Font {
}
}
struct TextStyle {
struct UIKitTextStyle {
let font: UIFont
let lineHeight: CGFloat
}

View file

@ -0,0 +1,9 @@
//
// changeTheme.swift
// OMaps
//
// Created by LLC Rebus on 21/08/24.
// Copyright © 2024 Organic Maps. All rights reserved.
//
import Foundation