Skip to content

Commit

Permalink
Merge branch 'master' into 2574-add-only-encrypted-emails-filter
Browse files Browse the repository at this point in the history
  • Loading branch information
ioanmo226 committed Nov 8, 2024
2 parents 2d07ab8 + 31c7e8d commit c79678f
Show file tree
Hide file tree
Showing 14 changed files with 132 additions and 11 deletions.
12 changes: 8 additions & 4 deletions .semaphore/semaphore.yml
Original file line number Diff line number Diff line change
Expand Up @@ -93,16 +93,20 @@ blocks:
jobs:
- name: Run Mock inbox tests
commands:
- npm run-script test.mock.inbox
- echo success
# - npm run-script test.mock.inbox
- name: Run Mock compose tests
commands:
- npm run-script test.mock.compose
- echo success
# - npm run-script test.mock.compose
- name: Run Mock setup tests
commands:
- npm run-script test.mock.setup
- echo success
# - npm run-script test.mock.setup
- name: Run Mock other tests + Run Live tests
commands:
- npm run-script test.mock.login-settings
- echo success
# - npm run-script test.mock.login-settings
# temporary disabled because of e2e account login issue
# - 'wget https://flowcrypt.s3.eu-central-1.amazonaws.com/release/flowcrypt-ios-old-version-for-ci-storage-compatibility-2022-05-09.zip -P ~/git/flowcrypt-ios/appium'
# - unzip flowcrypt-ios-*.zip
Expand Down
10 changes: 8 additions & 2 deletions FlowCrypt/Controllers/Compose/ComposeViewController.swift
Original file line number Diff line number Diff line change
Expand Up @@ -91,7 +91,7 @@ final class ComposeViewController: TableNodeViewController {
var popoverVC: ComposeRecipientPopupViewController!

var sectionsList: [Section] = []
var composeTextNode: ASCellNode?
var composeTextNode: TextViewCellNode?
var composeSubjectNode: ASCellNode?
var sendAsList: [SendAsModel] = []

Expand Down Expand Up @@ -162,8 +162,14 @@ final class ComposeViewController: TableNodeViewController {
.fetchList(isForceReload: false, for: appContext.user)
.filter { $0.verificationStatus == .accepted || $0.isDefault }

// Sender might be user's alias email, so we need to check if the sender is user's email address
// and set sender as email alias if applicable
var sender = appContext.user.email
if let inputSender = input.sender, sendAsList.contains(where: { $0.sendAsEmail == inputSender }) {
sender = inputSender
}
self.contextToSend = ComposeMessageContext(
sender: appContext.user.email,
sender: sender,
subject: input.subject,
attachments: input.attachments
)
Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -42,6 +42,10 @@ struct ComposeMessageInput: Equatable {
type.info?.subject
}

var sender: String? {
type.info?.sender?.email
}

var text: String? {
type.info?.text
}
Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -117,9 +117,21 @@ extension ComposeViewController {

private func changeSendAs(to email: String) {
contextToSend.sender = email
changeSignature()
reload(sections: [.recipients(.from)])
}

private func changeSignature() {
let pattern = "\\r?\\n\\r?\\n--\\r?\\n[\\s\\S]*"
if let message = composeTextNode?.getText(),
let signature = getSignature(),
let regex = try? NSRegularExpression(pattern: pattern) {
let range = NSRange(location: 0, length: message.utf16.count)
let updatedSignature = regex.stringByReplacingMatches(in: message, options: [], range: range, withTemplate: signature)
composeTextNode?.setText(text: updatedSignature)
}
}

func messagePasswordNode() -> ASCellNode {
let input = contextToSend.hasMessagePassword
? decorator.styledFilledMessagePasswordInput()
Expand All @@ -131,6 +143,14 @@ extension ComposeViewController {
)
}

func getSignature() -> String? {
let sendAs = sendAsList.first(where: { $0.sendAsEmail == contextToSend.sender })
if let signature = sendAs?.signature, signature.isNotEmpty {
return "\n\n--\n\(signature.removingHtmlTags())"
}
return nil
}

func setupTextNode() {
let attributedString = decorator.styledMessage(with: contextToSend.message ?? "")
let styledQuote = decorator.styledQuote(with: input)
Expand All @@ -140,6 +160,10 @@ extension ComposeViewController {
mutableString.append(styledQuote)
}

if let signature = getSignature(), !mutableString.string.replacingOccurrences(of: "\r", with: "").contains(signature) {
mutableString.append(signature.attributed(.regular(17)))
}

let height = max(decorator.frame(for: mutableString).height, 40)

composeTextNode = TextViewCellNode(
Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -52,6 +52,7 @@ final class EncryptedStorage: EncryptedStorageType {
case version14
case version15
case version16
case version17

var version: SchemaVersion {
switch self {
Expand Down Expand Up @@ -81,14 +82,16 @@ final class EncryptedStorage: EncryptedStorageType {
return SchemaVersion(appVersion: "1.2.3", dbSchemaVersion: 15)
case .version16:
return SchemaVersion(appVersion: "1.2.3", dbSchemaVersion: 16)
case .version17:
return SchemaVersion(appVersion: "1.3.0", dbSchemaVersion: 17)
}
}
}

private lazy var migrationLogger = Logger.nested(in: Self.self, with: .migration)
private lazy var logger = Logger.nested(Self.self)

private let currentSchema: EncryptedStorageSchema = .version16
private let currentSchema: EncryptedStorageSchema = .version17
private let supportedSchemas = EncryptedStorageSchema.allCases

private let storageEncryptionKey: Data
Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -12,6 +12,7 @@ struct SendAsModel {
let displayName: String
let sendAsEmail: String
let isDefault: Bool
let signature: String
let verificationStatus: SendAsVerificationStatus

var description: String {
Expand All @@ -35,6 +36,7 @@ extension SendAsModel {
displayName: object.displayName,
sendAsEmail: object.sendAsEmail,
isDefault: object.isDefault,
signature: object.signature,
verificationStatus: SendAsVerificationStatus(rawValue: object.verificationStatus) ?? .verificationStatusUnspecified
)
}
Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -39,6 +39,7 @@ private extension SendAsModel {
displayName: sendAs.displayName ?? "",
sendAsEmail: sendAsEmail,
isDefault: sendAs.isDefault?.boolValue ?? false,
signature: sendAs.signature ?? "",
verificationStatus: SendAsVerificationStatus(
rawValue: sendAs.verificationStatus ?? "verificationStatusUnspecified"
) ?? .verificationStatusUnspecified
Expand Down
2 changes: 2 additions & 0 deletions FlowCrypt/Models/Realm Models/SendAsRealmObject.swift
Original file line number Diff line number Diff line change
Expand Up @@ -12,6 +12,7 @@ final class SendAsRealmObject: Object {
@Persisted(primaryKey: true) var sendAsEmail: String // swiftlint:disable:this attributes
@Persisted var displayName: String
@Persisted var verificationStatus: String
@Persisted var signature: String
@Persisted var isDefault: Bool
@Persisted var user: UserRealmObject?
}
Expand All @@ -23,6 +24,7 @@ extension SendAsRealmObject {
self.sendAsEmail = sendAs.sendAsEmail
self.verificationStatus = sendAs.verificationStatus.rawValue
self.isDefault = sendAs.isDefault
self.signature = sendAs.signature
self.user = UserRealmObject(user)
}
}
21 changes: 20 additions & 1 deletion FlowCryptCommon/Extensions/StringExtensions.swift
Original file line number Diff line number Diff line change
Expand Up @@ -105,7 +105,26 @@ public extension String {
}

func removingHtmlTags() -> String {
replacingOccurrences(of: "<[^>]+>", with: "", options: .regularExpression)
// Pre-process: Temporarily replace existing line breaks with a unique placeholder
// Because \n line breaks are removed when converting html to plain text
let lineBreakPlaceholder = "###LINE_BREAK###"
let processedString = self
.replacingOccurrences(of: "\n", with: lineBreakPlaceholder)
.replacingOccurrences(of: "<br>", with: lineBreakPlaceholder)
.replacingOccurrences(of: "</p>", with: lineBreakPlaceholder)
.replacingOccurrences(of: "<p>", with: "")

// Convert HTML to plain text using NSAttributedString
guard let data = processedString.data(using: .utf8),
let attributedString = try? NSAttributedString(data: data, options: [
.documentType: NSAttributedString.DocumentType.html,
.characterEncoding: String.Encoding.utf8.rawValue
], documentAttributes: nil) else {
return self // Fallback to the original if conversion fails
}

// Restore line breaks from placeholders
return attributedString.string.replacingOccurrences(of: lineBreakPlaceholder, with: "\n")
}

func removingMailThreadQuote() -> String {
Expand Down
8 changes: 8 additions & 0 deletions FlowCryptUI/Cell Nodes/TextViewCellNode.swift
Original file line number Diff line number Diff line change
Expand Up @@ -62,6 +62,14 @@ public final class TextViewCellNode: CellNode {
}
}

public func setText(text: String) {
self.textView.textView.attributedText = text.attributed(.regular(17))
}

public func getText() -> String {
return self.textView.textView.attributedText.string
}

private func setHeight(_ height: CGFloat) {
let shouldAnimate = self.height < height

Expand Down
2 changes: 1 addition & 1 deletion appium/api-mocks/apis/google/google-data.ts
Original file line number Diff line number Diff line change
Expand Up @@ -211,7 +211,7 @@ export class GoogleData {
sendAsEmail: acct,
displayName: '',
replyToAddress: acct,
signature: '',
signature: config?.accounts[acct]?.signature ?? '',
isDefault: true,
isPrimary: true,
treatAsAlias: false,
Expand Down
1 change: 1 addition & 0 deletions appium/api-mocks/lib/configuration-types.ts
Original file line number Diff line number Diff line change
Expand Up @@ -58,6 +58,7 @@ export type GoogleConfig = {
export type GoogleMockAccount = {
aliases?: MockUserAlias[];
contacts?: MockUser[];
signature?: string;
messages?: GoogleMockMessage[];
};

Expand Down
8 changes: 6 additions & 2 deletions appium/tests/screenobjects/new-message.screen.ts
Original file line number Diff line number Diff line change
Expand Up @@ -226,11 +226,15 @@ class NewMessageScreen extends BaseScreen {
await element.waitForDisplayed();
};

checkFilledComposeEmailInfo = async (emailInfo: ComposeEmailInfo) => {
checkComposeMessageText = async (textToCheck: string) => {
const messageEl = await this.composeSecurityMessage;
await ElementHelper.waitElementVisible(messageEl);
const text = await messageEl.getText();
expect(text.includes(emailInfo.message)).toBeTruthy();
expect(text.includes(textToCheck)).toBeTruthy();
};

checkFilledComposeEmailInfo = async (emailInfo: ComposeEmailInfo) => {
await this.checkComposeMessageText(emailInfo.message);

await this.checkSubject(emailInfo.subject);

Expand Down
43 changes: 43 additions & 0 deletions appium/tests/specs/mock/composeEmail/CheckEmailSignature.spec.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,43 @@
import { MockApi } from 'api-mocks/mock';
import { MockApiConfig } from 'api-mocks/mock-config';
import { SplashScreen } from '../../../screenobjects/all-screens';
import MailFolderScreen from '../../../screenobjects/mail-folder.screen';
import NewMessageScreen from '../../../screenobjects/new-message.screen';
import SetupKeyScreen from '../../../screenobjects/setup-key.screen';

describe('SETUP: ', () => {
it('check if signature is added correctly', async () => {
const mockApi = new MockApi();

const aliasEmail = '[email protected]';
mockApi.fesConfig = MockApiConfig.defaultEnterpriseFesConfiguration;
mockApi.ekmConfig = MockApiConfig.defaultEnterpriseEkmConfiguration;
mockApi.addGoogleAccount('[email protected]', {
signature: 'Test primary signature',
aliases: [
{
sendAsEmail: aliasEmail,
displayName: 'Demo Alias',
replyToAddress: aliasEmail,
signature: 'Test alias signature',
isDefault: false,
isPrimary: false,
treatAsAlias: false,
verificationStatus: 'accepted',
},
],
});

await mockApi.withMockedApis(async () => {
await SplashScreen.mockLogin();
await SetupKeyScreen.setPassPhrase();
await MailFolderScreen.checkInboxScreen();
await MailFolderScreen.clickCreateEmail();
await NewMessageScreen.checkComposeMessageText('Test primary signature');

// Change alias and check if signature changes correctly
await NewMessageScreen.changeFromEmail(aliasEmail);
await NewMessageScreen.checkComposeMessageText('Test alias signature');
});
});
});

0 comments on commit c79678f

Please sign in to comment.