Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. Weโ€™ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

[PM-14863] Force unlock when keys are cleared / on first unlock and fix account switching behavior #11994

Merged
merged 13 commits into from
Dec 2, 2024
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
2 changes: 1 addition & 1 deletion apps/desktop/desktop_native/Cargo.lock

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

22 changes: 11 additions & 11 deletions apps/desktop/desktop_native/core/Cargo.toml
Original file line number Diff line number Diff line change
Expand Up @@ -10,22 +10,22 @@ default = ["sys"]
manual_test = []

sys = [
"dep:widestring",
"dep:windows",
"dep:core-foundation",
"dep:security-framework",
"dep:security-framework-sys",
"dep:gio",
"dep:libsecret",
"dep:zbus",
"dep:zbus_polkit",
"dep:widestring",
"dep:windows",
"dep:core-foundation",
"dep:security-framework",
"dep:security-framework-sys",
"dep:gio",
"dep:libsecret",
"dep:zbus",
"dep:zbus_polkit",
]

[dependencies]
aes = "=0.8.4"
anyhow = "=1.0.93"
arboard = { version = "=3.4.1", default-features = false, features = [
"wayland-data-control",
"wayland-data-control",
] }
async-stream = "=0.3.6"
base64 = "=0.22.1"
Expand All @@ -50,7 +50,7 @@ ssh-key = { version = "=0.6.7", default-features = false, features = [
"rsa",
"getrandom",
] }
bitwarden-russh = { git = "https://github.com/bitwarden/bitwarden-russh.git", branch = "km/pm-10098/clean-russh-implementation" }
bitwarden-russh = { git = "https://github.com/bitwarden/bitwarden-russh.git", rev = "b4e7f2fedbe3df8c35545feb000176d3e7b2bc32" }
tokio = { version = "=1.41.1", features = ["io-util", "sync", "macros", "net"] }
tokio-stream = { version = "=0.1.15", features = ["net"] }
tokio-util = { version = "=0.7.12", features = ["codec"] }
Expand Down
38 changes: 36 additions & 2 deletions apps/desktop/desktop_native/core/src/ssh_agent/mod.rs
Original file line number Diff line number Diff line change
Expand Up @@ -17,9 +17,11 @@ pub mod importer;
pub struct BitwardenDesktopAgent {
keystore: ssh_agent::KeyStore,
cancellation_token: CancellationToken,
show_ui_request_tx: tokio::sync::mpsc::Sender<(u32, String)>,
show_ui_request_tx: tokio::sync::mpsc::Sender<(u32, (String, bool))>,
get_ui_response_rx: Arc<Mutex<tokio::sync::broadcast::Receiver<(u32, bool)>>>,
request_id: Arc<Mutex<u32>>,
/// before first unlock, or after account switching, listing keys should require an unlock to get a list of public keys
needs_unlock: Arc<Mutex<bool>>,
is_running: Arc<tokio::sync::Mutex<bool>>,
}

Expand All @@ -33,8 +35,30 @@ impl ssh_agent::Agent for BitwardenDesktopAgent {
let request_id = self.get_request_id().await;

let mut rx_channel = self.get_ui_response_rx.lock().await.resubscribe();
let message = (request_id, (ssh_key.cipher_uuid.clone(), false));
self.show_ui_request_tx
.send((request_id, ssh_key.cipher_uuid.clone()))
.send(message)
.await
.expect("Should send request to ui");
while let Ok((id, response)) = rx_channel.recv().await {
if id == request_id {
return response;
}
}
false
}

async fn can_list(&self) -> bool {
if !*self.needs_unlock.lock().await{
return true;
}

let request_id = self.get_request_id().await;

let mut rx_channel = self.get_ui_response_rx.lock().await.resubscribe();
let message = (request_id, ("".to_string(), true));
self.show_ui_request_tx
.send(message)
.await
.expect("Should send request to ui");
while let Ok((id, response)) = rx_channel.recv().await {
Expand Down Expand Up @@ -75,6 +99,8 @@ impl BitwardenDesktopAgent {
let keystore = &mut self.keystore;
keystore.0.write().expect("RwLock is not poisoned").clear();

*self.needs_unlock.blocking_lock() = false;

for (key, name, cipher_id) in new_keys.iter() {
match parse_key_safe(&key) {
Ok(private_key) => {
Expand Down Expand Up @@ -119,6 +145,14 @@ impl BitwardenDesktopAgent {
Ok(())
}

pub fn clear_keys(&mut self) -> Result<(), anyhow::Error> {
let keystore = &mut self.keystore;
keystore.0.write().expect("RwLock is not poisoned").clear();
*self.needs_unlock.blocking_lock() = true;

Ok(())
}

async fn get_request_id(&self) -> u32 {
if !*self.is_running.lock().await {
println!("[BitwardenDesktopAgent] Agent is not running, but tried to get request id");
Expand Down
3 changes: 2 additions & 1 deletion apps/desktop/desktop_native/core/src/ssh_agent/unix.rs
Original file line number Diff line number Diff line change
Expand Up @@ -14,7 +14,7 @@ use super::BitwardenDesktopAgent;

impl BitwardenDesktopAgent {
pub async fn start_server(
auth_request_tx: tokio::sync::mpsc::Sender<(u32, String)>,
auth_request_tx: tokio::sync::mpsc::Sender<(u32, (String, bool))>,
auth_response_rx: Arc<Mutex<tokio::sync::broadcast::Receiver<(u32, bool)>>>,
) -> Result<Self, anyhow::Error> {
let agent = BitwardenDesktopAgent {
Expand All @@ -23,6 +23,7 @@ impl BitwardenDesktopAgent {
show_ui_request_tx: auth_request_tx,
get_ui_response_rx: auth_response_rx,
request_id: Arc::new(tokio::sync::Mutex::new(0)),
needs_unlock: Arc::new(tokio::sync::Mutex::new(true)),
is_running: Arc::new(tokio::sync::Mutex::new(false)),
};
let cloned_agent_state = agent.clone();
Expand Down
3 changes: 2 additions & 1 deletion apps/desktop/desktop_native/core/src/ssh_agent/windows.rs
Original file line number Diff line number Diff line change
Expand Up @@ -12,7 +12,7 @@ use super::BitwardenDesktopAgent;

impl BitwardenDesktopAgent {
pub async fn start_server(
auth_request_tx: tokio::sync::mpsc::Sender<(u32, String)>,
auth_request_tx: tokio::sync::mpsc::Sender<(u32, (String, bool))>,
auth_response_rx: Arc<Mutex<tokio::sync::broadcast::Receiver<(u32, bool)>>>,
) -> Result<Self, anyhow::Error> {
let agent_state = BitwardenDesktopAgent {
Expand All @@ -21,6 +21,7 @@ impl BitwardenDesktopAgent {
get_ui_response_rx: auth_response_rx,
cancellation_token: CancellationToken::new(),
request_id: Arc::new(tokio::sync::Mutex::new(0)),
needs_unlock: Arc::new(tokio::sync::Mutex::new(true)),
is_running: Arc::new(tokio::sync::Mutex::new(true)),
};
let stream = named_pipe_listener_stream::NamedPipeServerStream::new(
Expand Down
3 changes: 2 additions & 1 deletion apps/desktop/desktop_native/napi/index.d.ts
Original file line number Diff line number Diff line change
Expand Up @@ -69,12 +69,13 @@ export declare namespace sshagent {
status: SshKeyImportStatus
sshKey?: SshKey
}
export function serve(callback: (err: Error | null, arg: string) => any): Promise<SshAgentState>
export function serve(callback: (err: Error | null, arg0: string, arg1: boolean) => any): Promise<SshAgentState>
export function stop(agentState: SshAgentState): void
export function isRunning(agentState: SshAgentState): boolean
export function setKeys(agentState: SshAgentState, newKeys: Array<PrivateKey>): void
export function lock(agentState: SshAgentState): void
export function importKey(encodedKey: string, password: string): SshKeyImportResult
export function clearKeys(agentState: SshAgentState): void
export function generateKeypair(keyAlgorithm: string): Promise<SshKey>
export class SshAgentState { }
}
Expand Down
14 changes: 10 additions & 4 deletions apps/desktop/desktop_native/napi/src/lib.rs
Original file line number Diff line number Diff line change
Expand Up @@ -247,15 +247,15 @@ pub mod sshagent {

#[napi]
pub async fn serve(
callback: ThreadsafeFunction<String, CalleeHandled>,
callback: ThreadsafeFunction<(String, bool), CalleeHandled>,
) -> napi::Result<SshAgentState> {
let (auth_request_tx, mut auth_request_rx) = tokio::sync::mpsc::channel::<(u32, String)>(32);
let (auth_request_tx, mut auth_request_rx) = tokio::sync::mpsc::channel::<(u32, (String, bool))>(32);
let (auth_response_tx, auth_response_rx) = tokio::sync::broadcast::channel::<(u32, bool)>(32);
let auth_response_tx_arc = Arc::new(Mutex::new(auth_response_tx));
tokio::spawn(async move {
let _ = auth_response_rx;

while let Some((request_id, cipher_uuid)) = auth_request_rx.recv().await {
while let Some((request_id, (cipher_uuid, is_list_request))) = auth_request_rx.recv().await {
let cloned_request_id = request_id.clone();
let cloned_cipher_uuid = cipher_uuid.clone();
let cloned_response_tx_arc = auth_response_tx_arc.clone();
Expand All @@ -266,7 +266,7 @@ pub mod sshagent {
let auth_response_tx_arc = cloned_response_tx_arc;
let callback = cloned_callback;
let promise_result: Result<Promise<bool>, napi::Error> =
callback.call_async(Ok(cipher_uuid)).await;
callback.call_async(Ok((cipher_uuid, is_list_request))).await;
match promise_result {
Ok(promise_result) => match promise_result.await {
Ok(result) => {
Expand Down Expand Up @@ -345,6 +345,12 @@ pub mod sshagent {
Ok(result.into())
}

#[napi]
pub fn clear_keys(agent_state: &mut SshAgentState) -> napi::Result<()> {
let bitwarden_agent_state = &mut agent_state.state;
bitwarden_agent_state.clear_keys().map_err(|e| napi::Error::from_reason(e.to_string()))
}

#[napi]
pub async fn generate_keypair(key_algorithm: String) -> napi::Result<SshKey> {
desktop_core::ssh_agent::generator::generate_keypair(key_algorithm)
Expand Down
9 changes: 8 additions & 1 deletion apps/desktop/src/platform/main/main-ssh-agent.service.ts
Original file line number Diff line number Diff line change
Expand Up @@ -27,7 +27,7 @@
init() {
// handle sign request passing to UI
sshagent
.serve(async (err: Error, cipherId: string) => {
.serve(async (err: Error, cipherId: string, isListRequest: boolean) => {

Check warning on line 30 in apps/desktop/src/platform/main/main-ssh-agent.service.ts

View check run for this annotation

Codecov / codecov/patch

apps/desktop/src/platform/main/main-ssh-agent.service.ts#L30

Added line #L30 was not covered by tests
// clear all old (> SIGN_TIMEOUT) requests
this.requestResponses = this.requestResponses.filter(
(response) => response.timestamp > new Date(Date.now() - this.SIGN_TIMEOUT),
Expand All @@ -37,6 +37,7 @@
const id_for_this_request = this.request_id;
this.messagingService.send("sshagent.signrequest", {
cipherId,
isListRequest,
requestId: id_for_this_request,
});

Expand Down Expand Up @@ -111,5 +112,11 @@
sshagent.lock(this.agentState);
}
});

ipcMain.handle("sshagent.clearkeys", async (event: any) => {

Check warning on line 116 in apps/desktop/src/platform/main/main-ssh-agent.service.ts

View check run for this annotation

Codecov / codecov/patch

apps/desktop/src/platform/main/main-ssh-agent.service.ts#L116

Added line #L116 was not covered by tests
if (this.agentState != null) {
sshagent.clearKeys(this.agentState);

Check warning on line 118 in apps/desktop/src/platform/main/main-ssh-agent.service.ts

View check run for this annotation

Codecov / codecov/patch

apps/desktop/src/platform/main/main-ssh-agent.service.ts#L118

Added line #L118 was not covered by tests
}
});
}
}
3 changes: 3 additions & 0 deletions apps/desktop/src/platform/preload.ts
Original file line number Diff line number Diff line change
Expand Up @@ -56,6 +56,9 @@
lock: async () => {
return await ipcRenderer.invoke("sshagent.lock");
},
clearKeys: async () => {
return await ipcRenderer.invoke("sshagent.clearkeys");

Check warning on line 60 in apps/desktop/src/platform/preload.ts

View check run for this annotation

Codecov / codecov/patch

apps/desktop/src/platform/preload.ts#L59-L60

Added lines #L59 - L60 were not covered by tests
},
importKey: async (key: string, password: string): Promise<ssh.SshKeyImportResult> => {
const res = await ipcRenderer.invoke("sshagent.importkey", {
privateKey: key,
Expand Down
63 changes: 50 additions & 13 deletions apps/desktop/src/platform/services/ssh-agent.service.ts
Original file line number Diff line number Diff line change
Expand Up @@ -5,9 +5,11 @@
concatMap,
EMPTY,
filter,
firstValueFrom,
from,
map,
of,
skip,
Subject,
switchMap,
takeUntil,
Expand All @@ -17,6 +19,7 @@
withLatestFrom,
} from "rxjs";

import { AccountService } from "@bitwarden/common/auth/abstractions/account.service";

Check warning on line 22 in apps/desktop/src/platform/services/ssh-agent.service.ts

View check run for this annotation

Codecov / codecov/patch

apps/desktop/src/platform/services/ssh-agent.service.ts#L22

Added line #L22 was not covered by tests
import { AuthService } from "@bitwarden/common/auth/abstractions/auth.service";
import { AuthenticationStatus } from "@bitwarden/common/auth/enums/authentication-status";
import { FeatureFlag } from "@bitwarden/common/enums/feature-flag.enum";
Expand Down Expand Up @@ -52,6 +55,7 @@
private i18nService: I18nService,
private desktopSettingsService: DesktopSettingsService,
private configService: ConfigService,
private accountService: AccountService,

Check warning on line 58 in apps/desktop/src/platform/services/ssh-agent.service.ts

View check run for this annotation

Codecov / codecov/patch

apps/desktop/src/platform/services/ssh-agent.service.ts#L58

Added line #L58 was not covered by tests
) {}

async init() {
Expand Down Expand Up @@ -112,19 +116,34 @@
),
),
// This concatMap handles showing the dialog to approve the request.
concatMap(([message, decryptedCiphers]) => {
concatMap(async ([message, ciphers]) => {

Check warning on line 119 in apps/desktop/src/platform/services/ssh-agent.service.ts

View check run for this annotation

Codecov / codecov/patch

apps/desktop/src/platform/services/ssh-agent.service.ts#L119

Added line #L119 was not covered by tests
const cipherId = message.cipherId as string;
const isListRequest = message.isListRequest as boolean;

Check warning on line 121 in apps/desktop/src/platform/services/ssh-agent.service.ts

View check run for this annotation

Codecov / codecov/patch

apps/desktop/src/platform/services/ssh-agent.service.ts#L121

Added line #L121 was not covered by tests
const requestId = message.requestId as number;

if (decryptedCiphers === undefined) {
return of(false).pipe(
switchMap((result) =>
ipc.platform.sshAgent.signRequestResponse(requestId, Boolean(result)),
),
if (isListRequest) {
const sshCiphers = ciphers.filter(

Check warning on line 125 in apps/desktop/src/platform/services/ssh-agent.service.ts

View check run for this annotation

Codecov / codecov/patch

apps/desktop/src/platform/services/ssh-agent.service.ts#L125

Added line #L125 was not covered by tests
(cipher) => cipher.type === CipherType.SshKey && !cipher.isDeleted,
);
const keys = sshCiphers.map((cipher) => {
return {

Check warning on line 129 in apps/desktop/src/platform/services/ssh-agent.service.ts

View check run for this annotation

Codecov / codecov/patch

apps/desktop/src/platform/services/ssh-agent.service.ts#L128-L129

Added lines #L128 - L129 were not covered by tests
name: cipher.name,
privateKey: cipher.sshKey.privateKey,
cipherId: cipher.id,
};
});
await ipc.platform.sshAgent.setKeys(keys);
await ipc.platform.sshAgent.signRequestResponse(requestId, true);
return;

Check warning on line 137 in apps/desktop/src/platform/services/ssh-agent.service.ts

View check run for this annotation

Codecov / codecov/patch

apps/desktop/src/platform/services/ssh-agent.service.ts#L135-L137

Added lines #L135 - L137 were not covered by tests
}

if (ciphers === undefined) {
ipc.platform.sshAgent

Check warning on line 141 in apps/desktop/src/platform/services/ssh-agent.service.ts

View check run for this annotation

Codecov / codecov/patch

apps/desktop/src/platform/services/ssh-agent.service.ts#L141

Added line #L141 was not covered by tests
.signRequestResponse(requestId, false)
.catch((e) => this.logService.error("Failed to respond to SSH request", e));

Check warning on line 143 in apps/desktop/src/platform/services/ssh-agent.service.ts

View check run for this annotation

Codecov / codecov/patch

apps/desktop/src/platform/services/ssh-agent.service.ts#L143

Added line #L143 was not covered by tests
}

const cipher = decryptedCiphers.find((cipher) => cipher.id == cipherId);
const cipher = ciphers.find((cipher) => cipher.id == cipherId);

Check warning on line 146 in apps/desktop/src/platform/services/ssh-agent.service.ts

View check run for this annotation

Codecov / codecov/patch

apps/desktop/src/platform/services/ssh-agent.service.ts#L146

Added line #L146 was not covered by tests

ipc.platform.focusWindow();
const dialogRef = ApproveSshRequestComponent.open(
Expand All @@ -133,24 +152,42 @@
this.i18nService.t("unknownApplication"),
);

return dialogRef.closed.pipe(
switchMap((result) => {
return ipc.platform.sshAgent.signRequestResponse(requestId, Boolean(result));
}),
);
const result = await firstValueFrom(dialogRef.closed);
return ipc.platform.sshAgent.signRequestResponse(requestId, result);

Check warning on line 156 in apps/desktop/src/platform/services/ssh-agent.service.ts

View check run for this annotation

Codecov / codecov/patch

apps/desktop/src/platform/services/ssh-agent.service.ts#L155-L156

Added lines #L155 - L156 were not covered by tests
}),
takeUntil(this.destroy$),
)
.subscribe();

this.accountService.activeAccount$.pipe(skip(1), takeUntil(this.destroy$)).subscribe({

Check warning on line 162 in apps/desktop/src/platform/services/ssh-agent.service.ts

View check run for this annotation

Codecov / codecov/patch

apps/desktop/src/platform/services/ssh-agent.service.ts#L162

Added line #L162 was not covered by tests
next: (account) => {
this.logService.info("Active account changed, clearing SSH keys");
ipc.platform.sshAgent

Check warning on line 165 in apps/desktop/src/platform/services/ssh-agent.service.ts

View check run for this annotation

Codecov / codecov/patch

apps/desktop/src/platform/services/ssh-agent.service.ts#L164-L165

Added lines #L164 - L165 were not covered by tests
.clearKeys()
.catch((e) => this.logService.error("Failed to clear SSH keys", e));

Check warning on line 167 in apps/desktop/src/platform/services/ssh-agent.service.ts

View check run for this annotation

Codecov / codecov/patch

apps/desktop/src/platform/services/ssh-agent.service.ts#L167

Added line #L167 was not covered by tests
},
error: (e: unknown) => {
this.logService.error("Error in active account observable", e);
ipc.platform.sshAgent

Check warning on line 171 in apps/desktop/src/platform/services/ssh-agent.service.ts

View check run for this annotation

Codecov / codecov/patch

apps/desktop/src/platform/services/ssh-agent.service.ts#L170-L171

Added lines #L170 - L171 were not covered by tests
.clearKeys()
.catch((e) => this.logService.error("Failed to clear SSH keys", e));

Check warning on line 173 in apps/desktop/src/platform/services/ssh-agent.service.ts

View check run for this annotation

Codecov / codecov/patch

apps/desktop/src/platform/services/ssh-agent.service.ts#L173

Added line #L173 was not covered by tests
},
complete: () => {
this.logService.info("Active account observable completed, clearing SSH keys");
ipc.platform.sshAgent

Check warning on line 177 in apps/desktop/src/platform/services/ssh-agent.service.ts

View check run for this annotation

Codecov / codecov/patch

apps/desktop/src/platform/services/ssh-agent.service.ts#L176-L177

Added lines #L176 - L177 were not covered by tests
.clearKeys()
.catch((e) => this.logService.error("Failed to clear SSH keys", e));

Check warning on line 179 in apps/desktop/src/platform/services/ssh-agent.service.ts

View check run for this annotation

Codecov / codecov/patch

apps/desktop/src/platform/services/ssh-agent.service.ts#L179

Added line #L179 was not covered by tests
},
});

combineLatest([
timer(0, this.SSH_REFRESH_INTERVAL),
this.desktopSettingsService.sshAgentEnabled$,
])
.pipe(
concatMap(async ([, enabled]) => {
if (!enabled) {
await ipc.platform.sshAgent.setKeys([]);
await ipc.platform.sshAgent.clearKeys();

Check warning on line 190 in apps/desktop/src/platform/services/ssh-agent.service.ts

View check run for this annotation

Codecov / codecov/patch

apps/desktop/src/platform/services/ssh-agent.service.ts#L190

Added line #L190 was not covered by tests
return;
}

Expand Down