mirror of
https://github.com/bitwarden/browser
synced 2025-12-06 00:13:28 +00:00
[PM-16792] [PM-16822] Encapsulate encryptor and state provision within UserStateSubject (#13195)
This commit is contained in:
@@ -5,7 +5,7 @@
|
||||
</ng-container>
|
||||
</popup-header>
|
||||
<bit-empty-credential-history *ngIf="!(hasHistory$ | async)" style="display: contents" />
|
||||
<bit-credential-generator-history *ngIf="hasHistory$ | async" />
|
||||
<bit-credential-generator-history [account]="account$ | async" *ngIf="hasHistory$ | async" />
|
||||
<popup-footer slot="footer">
|
||||
<button
|
||||
[disabled]="!(hasHistory$ | async)"
|
||||
|
||||
@@ -1,14 +1,19 @@
|
||||
// FIXME: Update this file to be type safe and remove this and next line
|
||||
// @ts-strict-ignore
|
||||
import { CommonModule } from "@angular/common";
|
||||
import { Component } from "@angular/core";
|
||||
import { takeUntilDestroyed } from "@angular/core/rxjs-interop";
|
||||
import { BehaviorSubject, distinctUntilChanged, firstValueFrom, map, switchMap } from "rxjs";
|
||||
import { Component, Input, OnChanges, SimpleChanges, OnInit, OnDestroy } from "@angular/core";
|
||||
import { ReplaySubject, Subject, firstValueFrom, map, switchMap, takeUntil } from "rxjs";
|
||||
|
||||
import { JslibModule } from "@bitwarden/angular/jslib.module";
|
||||
import { AccountService } from "@bitwarden/common/auth/abstractions/account.service";
|
||||
import { Account, AccountService } from "@bitwarden/common/auth/abstractions/account.service";
|
||||
import { LogService } from "@bitwarden/common/platform/abstractions/log.service";
|
||||
import {
|
||||
SemanticLogger,
|
||||
disabledSemanticLoggerProvider,
|
||||
ifEnabledSemanticLoggerProvider,
|
||||
} from "@bitwarden/common/tools/log";
|
||||
import { UserId } from "@bitwarden/common/types/guid";
|
||||
import { ButtonModule, ContainerComponent, DialogService } from "@bitwarden/components";
|
||||
import { ButtonModule, DialogService } from "@bitwarden/components";
|
||||
import {
|
||||
CredentialGeneratorHistoryComponent as CredentialGeneratorHistoryToolsComponent,
|
||||
EmptyCredentialHistoryComponent,
|
||||
@@ -27,7 +32,6 @@ import { PopupPageComponent } from "../../../platform/popup/layout/popup-page.co
|
||||
imports: [
|
||||
ButtonModule,
|
||||
CommonModule,
|
||||
ContainerComponent,
|
||||
JslibModule,
|
||||
PopOutComponent,
|
||||
PopupHeaderComponent,
|
||||
@@ -37,28 +41,65 @@ import { PopupPageComponent } from "../../../platform/popup/layout/popup-page.co
|
||||
PopupFooterComponent,
|
||||
],
|
||||
})
|
||||
export class CredentialGeneratorHistoryComponent {
|
||||
protected readonly hasHistory$ = new BehaviorSubject<boolean>(false);
|
||||
protected readonly userId$ = new BehaviorSubject<UserId>(null);
|
||||
export class CredentialGeneratorHistoryComponent implements OnChanges, OnInit, OnDestroy {
|
||||
private readonly destroyed = new Subject<void>();
|
||||
protected readonly hasHistory$ = new ReplaySubject<boolean>(1);
|
||||
protected readonly account$ = new ReplaySubject<Account>(1);
|
||||
|
||||
constructor(
|
||||
private accountService: AccountService,
|
||||
private history: GeneratorHistoryService,
|
||||
private dialogService: DialogService,
|
||||
) {
|
||||
this.accountService.activeAccount$
|
||||
.pipe(
|
||||
takeUntilDestroyed(),
|
||||
map(({ id }) => id),
|
||||
distinctUntilChanged(),
|
||||
)
|
||||
.subscribe(this.userId$);
|
||||
private logService: LogService,
|
||||
) {}
|
||||
|
||||
this.userId$
|
||||
@Input()
|
||||
account: Account | null;
|
||||
|
||||
/** Send structured debug logs from the credential generator component
|
||||
* to the debugger console.
|
||||
*
|
||||
* @warning this may reveal sensitive information in plaintext.
|
||||
*/
|
||||
@Input()
|
||||
debug: boolean = false;
|
||||
|
||||
// this `log` initializer is overridden in `ngOnInit`
|
||||
private log: SemanticLogger = disabledSemanticLoggerProvider({});
|
||||
|
||||
async ngOnChanges(changes: SimpleChanges) {
|
||||
const account = changes?.account;
|
||||
if (account?.previousValue?.id !== account?.currentValue?.id) {
|
||||
this.log.debug(
|
||||
{
|
||||
previousUserId: account?.previousValue?.id as UserId,
|
||||
currentUserId: account?.currentValue?.id as UserId,
|
||||
},
|
||||
"account input change detected",
|
||||
);
|
||||
this.account$.next(account.currentValue ?? this.account);
|
||||
}
|
||||
}
|
||||
|
||||
async ngOnInit() {
|
||||
this.log = ifEnabledSemanticLoggerProvider(this.debug, this.logService, {
|
||||
type: "CredentialGeneratorComponent",
|
||||
});
|
||||
|
||||
if (!this.account) {
|
||||
this.account = await firstValueFrom(this.accountService.activeAccount$);
|
||||
this.log.info(
|
||||
{ userId: this.account.id },
|
||||
"account not specified; using active account settings",
|
||||
);
|
||||
this.account$.next(this.account);
|
||||
}
|
||||
|
||||
this.account$
|
||||
.pipe(
|
||||
takeUntilDestroyed(),
|
||||
switchMap((id) => id && this.history.credentials$(id)),
|
||||
switchMap((account) => account.id && this.history.credentials$(account.id)),
|
||||
map((credentials) => credentials.length > 0),
|
||||
takeUntil(this.destroyed),
|
||||
)
|
||||
.subscribe(this.hasHistory$);
|
||||
}
|
||||
@@ -73,7 +114,14 @@ export class CredentialGeneratorHistoryComponent {
|
||||
});
|
||||
|
||||
if (confirmed) {
|
||||
await this.history.clear(await firstValueFrom(this.userId$));
|
||||
await this.history.clear((await firstValueFrom(this.account$)).id);
|
||||
}
|
||||
};
|
||||
|
||||
ngOnDestroy() {
|
||||
this.destroyed.next();
|
||||
this.destroyed.complete();
|
||||
|
||||
this.log.debug("component destroyed");
|
||||
}
|
||||
}
|
||||
|
||||
@@ -1,11 +1,7 @@
|
||||
import { Observable } from "rxjs";
|
||||
|
||||
import { Policy } from "@bitwarden/common/admin-console/models/domain/policy";
|
||||
import { OrganizationId, UserId } from "@bitwarden/common/types/guid";
|
||||
|
||||
import { OrganizationEncryptor } from "./cryptography/organization-encryptor.abstraction";
|
||||
import { UserEncryptor } from "./cryptography/user-encryptor.abstraction";
|
||||
|
||||
/** error emitted when the `SingleUserDependency` changes Ids */
|
||||
export type UserChangedError = {
|
||||
/** the userId pinned by the single user dependency */
|
||||
@@ -22,22 +18,21 @@ export type OrganizationChangedError = {
|
||||
actualOrganizationId: OrganizationId;
|
||||
};
|
||||
|
||||
/** A pattern for types that depend upon a dynamic policy stream and return
|
||||
* an observable.
|
||||
/** A pattern for types that depend upon the lifetime of a fixed dependency.
|
||||
* The dependency's lifetime is tracked through the observable. The observable
|
||||
* emits the dependency once it becomes available and completes when the
|
||||
* dependency becomes unavailable.
|
||||
*
|
||||
* Consumers of this dependency should emit when `policy$`
|
||||
* emits, provided that the latest message materially
|
||||
* changes the output of the consumer. If `policy$` emits
|
||||
* an unrecoverable error, the consumer should continue using
|
||||
* the last-emitted policy. If `policy$` completes, the consumer
|
||||
* should continue using the last-emitted policy.
|
||||
* Consumers of this dependency should emit a `SequenceError` if the dependency emits
|
||||
* multiple times. When the dependency completes, the consumer should also
|
||||
* complete. When the dependency errors, the consumer should also error.
|
||||
*/
|
||||
export type PolicyDependency = {
|
||||
/** A stream that emits policies when subscribed and
|
||||
* when the policy changes. The stream should not
|
||||
* emit null or undefined.
|
||||
export type BoundDependency<Name extends string, T> = {
|
||||
/** A stream that emits a dependency once it becomes available
|
||||
* and completes when the dependency becomes unavailable. The stream emits
|
||||
* only once per subscription and never emits null or undefined.
|
||||
*/
|
||||
policy$: Observable<Policy[]>;
|
||||
[K in `${Name}$`]: Observable<T>;
|
||||
};
|
||||
|
||||
/** A pattern for types that depend upon a dynamic userid and return
|
||||
@@ -72,26 +67,6 @@ export type OrganizationBound<K extends keyof any, T> = { [P in K]: T } & {
|
||||
organizationId: OrganizationId;
|
||||
};
|
||||
|
||||
/** A pattern for types that depend upon a fixed-key encryptor and return
|
||||
* an observable.
|
||||
*
|
||||
* Consumers of this dependency should emit a `OrganizationChangedError` if
|
||||
* the bound OrganizationId changes or if the encryptor changes. If
|
||||
* `singleOrganizationEncryptor$` completes, the consumer should complete
|
||||
* once all events received prior to the completion event are
|
||||
* finished processing. The consumer should, where possible,
|
||||
* prioritize these events in order to complete as soon as possible.
|
||||
* If `singleOrganizationEncryptor$` emits an unrecoverable error, the consumer
|
||||
* should also emit the error.
|
||||
*/
|
||||
export type SingleOrganizationEncryptorDependency = {
|
||||
/** A stream that emits an encryptor when subscribed and the org key
|
||||
* is available, and completes when the org key is no longer available.
|
||||
* The stream should not emit null or undefined.
|
||||
*/
|
||||
singleOrgEncryptor$: Observable<OrganizationBound<"encryptor", OrganizationEncryptor>>;
|
||||
};
|
||||
|
||||
/** A pattern for types that depend upon a fixed-value organizationId and return
|
||||
* an observable.
|
||||
*
|
||||
@@ -112,26 +87,6 @@ export type SingleOrganizationDependency = {
|
||||
singleOrganizationId$: Observable<UserBound<"organizationId", OrganizationId>>;
|
||||
};
|
||||
|
||||
/** A pattern for types that depend upon a fixed-key encryptor and return
|
||||
* an observable.
|
||||
*
|
||||
* Consumers of this dependency should emit a `UserChangedError` if
|
||||
* the bound UserId changes or if the encryptor changes. If
|
||||
* `singleUserEncryptor$` completes, the consumer should complete
|
||||
* once all events received prior to the completion event are
|
||||
* finished processing. The consumer should, where possible,
|
||||
* prioritize these events in order to complete as soon as possible.
|
||||
* If `singleUserEncryptor$` emits an unrecoverable error, the consumer
|
||||
* should also emit the error.
|
||||
*/
|
||||
export type SingleUserEncryptorDependency = {
|
||||
/** A stream that emits an encryptor when subscribed and the user key
|
||||
* is available, and completes when the user key is no longer available.
|
||||
* The stream should not emit null or undefined.
|
||||
*/
|
||||
singleUserEncryptor$: Observable<UserBound<"encryptor", UserEncryptor>>;
|
||||
};
|
||||
|
||||
/** A pattern for types that depend upon a fixed-value userid and return
|
||||
* an observable.
|
||||
*
|
||||
@@ -182,22 +137,6 @@ export type WhenDependency = {
|
||||
when$: Observable<boolean>;
|
||||
};
|
||||
|
||||
/** A pattern for types that allow their managed settings to
|
||||
* be overridden.
|
||||
*
|
||||
* Consumers of this dependency should emit when `settings$`
|
||||
* change. If `settings$` completes, the consumer should also
|
||||
* complete. If `settings$` errors, the consumer should also
|
||||
* emit the error.
|
||||
*/
|
||||
export type SettingsDependency<Settings> = {
|
||||
/** A stream that emits settings when settings become available
|
||||
* and when they change. If the settings are not available, the
|
||||
* stream should wait to emit until they become available.
|
||||
*/
|
||||
settings$: Observable<Settings>;
|
||||
};
|
||||
|
||||
/** A pattern for types that accept an arbitrary dependency and
|
||||
* inject it into behavior-customizing functions.
|
||||
*
|
||||
|
||||
@@ -20,7 +20,7 @@ describe("DefaultSemanticLogger", () => {
|
||||
|
||||
expect(logger.write).toHaveBeenCalledWith(LogLevelType.Debug, {
|
||||
message: "this is a debug message",
|
||||
level: LogLevelType.Debug,
|
||||
level: "debug",
|
||||
});
|
||||
});
|
||||
|
||||
@@ -31,7 +31,7 @@ describe("DefaultSemanticLogger", () => {
|
||||
|
||||
expect(logger.write).toHaveBeenCalledWith(LogLevelType.Debug, {
|
||||
content: { example: "this is content" },
|
||||
level: LogLevelType.Debug,
|
||||
level: "debug",
|
||||
});
|
||||
});
|
||||
|
||||
@@ -43,7 +43,7 @@ describe("DefaultSemanticLogger", () => {
|
||||
expect(logger.write).toHaveBeenCalledWith(LogLevelType.Info, {
|
||||
content: { example: "this is content" },
|
||||
message: "this is a message",
|
||||
level: LogLevelType.Info,
|
||||
level: "information",
|
||||
});
|
||||
});
|
||||
});
|
||||
@@ -56,7 +56,7 @@ describe("DefaultSemanticLogger", () => {
|
||||
|
||||
expect(logger.write).toHaveBeenCalledWith(LogLevelType.Info, {
|
||||
message: "this is an info message",
|
||||
level: LogLevelType.Info,
|
||||
level: "information",
|
||||
});
|
||||
});
|
||||
|
||||
@@ -67,7 +67,7 @@ describe("DefaultSemanticLogger", () => {
|
||||
|
||||
expect(logger.write).toHaveBeenCalledWith(LogLevelType.Info, {
|
||||
content: { example: "this is content" },
|
||||
level: LogLevelType.Info,
|
||||
level: "information",
|
||||
});
|
||||
});
|
||||
|
||||
@@ -79,7 +79,7 @@ describe("DefaultSemanticLogger", () => {
|
||||
expect(logger.write).toHaveBeenCalledWith(LogLevelType.Info, {
|
||||
content: { example: "this is content" },
|
||||
message: "this is a message",
|
||||
level: LogLevelType.Info,
|
||||
level: "information",
|
||||
});
|
||||
});
|
||||
});
|
||||
@@ -92,7 +92,7 @@ describe("DefaultSemanticLogger", () => {
|
||||
|
||||
expect(logger.write).toHaveBeenCalledWith(LogLevelType.Warning, {
|
||||
message: "this is a warning message",
|
||||
level: LogLevelType.Warning,
|
||||
level: "warning",
|
||||
});
|
||||
});
|
||||
|
||||
@@ -103,7 +103,7 @@ describe("DefaultSemanticLogger", () => {
|
||||
|
||||
expect(logger.write).toHaveBeenCalledWith(LogLevelType.Warning, {
|
||||
content: { example: "this is content" },
|
||||
level: LogLevelType.Warning,
|
||||
level: "warning",
|
||||
});
|
||||
});
|
||||
|
||||
@@ -115,7 +115,7 @@ describe("DefaultSemanticLogger", () => {
|
||||
expect(logger.write).toHaveBeenCalledWith(LogLevelType.Warning, {
|
||||
content: { example: "this is content" },
|
||||
message: "this is a message",
|
||||
level: LogLevelType.Warning,
|
||||
level: "warning",
|
||||
});
|
||||
});
|
||||
});
|
||||
@@ -128,7 +128,7 @@ describe("DefaultSemanticLogger", () => {
|
||||
|
||||
expect(logger.write).toHaveBeenCalledWith(LogLevelType.Error, {
|
||||
message: "this is an error message",
|
||||
level: LogLevelType.Error,
|
||||
level: "error",
|
||||
});
|
||||
});
|
||||
|
||||
@@ -139,7 +139,7 @@ describe("DefaultSemanticLogger", () => {
|
||||
|
||||
expect(logger.write).toHaveBeenCalledWith(LogLevelType.Error, {
|
||||
content: { example: "this is content" },
|
||||
level: LogLevelType.Error,
|
||||
level: "error",
|
||||
});
|
||||
});
|
||||
|
||||
@@ -151,7 +151,7 @@ describe("DefaultSemanticLogger", () => {
|
||||
expect(logger.write).toHaveBeenCalledWith(LogLevelType.Error, {
|
||||
content: { example: "this is content" },
|
||||
message: "this is a message",
|
||||
level: LogLevelType.Error,
|
||||
level: "error",
|
||||
});
|
||||
});
|
||||
});
|
||||
@@ -164,7 +164,7 @@ describe("DefaultSemanticLogger", () => {
|
||||
|
||||
expect(logger.write).toHaveBeenCalledWith(LogLevelType.Error, {
|
||||
message: "this is an error message",
|
||||
level: LogLevelType.Error,
|
||||
level: "error",
|
||||
});
|
||||
});
|
||||
|
||||
@@ -178,7 +178,7 @@ describe("DefaultSemanticLogger", () => {
|
||||
expect(logger.write).toHaveBeenCalledWith(LogLevelType.Error, {
|
||||
content: { example: "this is content" },
|
||||
message: "this is an error message",
|
||||
level: LogLevelType.Error,
|
||||
level: "error",
|
||||
});
|
||||
});
|
||||
|
||||
@@ -192,7 +192,7 @@ describe("DefaultSemanticLogger", () => {
|
||||
expect(logger.write).toHaveBeenCalledWith(LogLevelType.Error, {
|
||||
content: "this is content",
|
||||
message: "this is an error message",
|
||||
level: LogLevelType.Error,
|
||||
level: "error",
|
||||
});
|
||||
});
|
||||
});
|
||||
|
||||
@@ -52,7 +52,7 @@ export class DefaultSemanticLogger<Context extends object> implements SemanticLo
|
||||
...this.context,
|
||||
message,
|
||||
content: content ?? undefined,
|
||||
level,
|
||||
level: stringifyLevel(level),
|
||||
};
|
||||
|
||||
if (typeof content === "string" && !message) {
|
||||
@@ -63,3 +63,18 @@ export class DefaultSemanticLogger<Context extends object> implements SemanticLo
|
||||
this.logger.write(level, log);
|
||||
}
|
||||
}
|
||||
|
||||
function stringifyLevel(level: LogLevelType) {
|
||||
switch (level) {
|
||||
case LogLevelType.Debug:
|
||||
return "debug";
|
||||
case LogLevelType.Info:
|
||||
return "information";
|
||||
case LogLevelType.Warning:
|
||||
return "warning";
|
||||
case LogLevelType.Error:
|
||||
return "error";
|
||||
default:
|
||||
return `${level}`;
|
||||
}
|
||||
}
|
||||
|
||||
@@ -28,3 +28,22 @@ export function disabledSemanticLoggerProvider<Context extends object>(
|
||||
export function consoleSemanticLoggerProvider(logger: LogService): SemanticLogger {
|
||||
return new DefaultSemanticLogger(logger, {});
|
||||
}
|
||||
|
||||
/** Instantiates a semantic logger that emits logs to the console.
|
||||
* @param context a static payload that is cloned when the logger
|
||||
* logs a message. The `messages`, `level`, and `content` fields
|
||||
* are reserved for use by loggers.
|
||||
* @param settings specializes how the semantic logger functions.
|
||||
* If this is omitted, the logger suppresses debug messages.
|
||||
*/
|
||||
export function ifEnabledSemanticLoggerProvider<Context extends object>(
|
||||
enable: boolean,
|
||||
logger: LogService,
|
||||
context: Jsonify<Context>,
|
||||
) {
|
||||
if (enable) {
|
||||
return new DefaultSemanticLogger(logger, context);
|
||||
} else {
|
||||
return disabledSemanticLoggerProvider(context);
|
||||
}
|
||||
}
|
||||
|
||||
@@ -1,2 +1,2 @@
|
||||
export { disabledSemanticLoggerProvider, consoleSemanticLoggerProvider } from "./factory";
|
||||
export * from "./factory";
|
||||
export { SemanticLogger } from "./semantic-logger.abstraction";
|
||||
|
||||
@@ -2,6 +2,7 @@
|
||||
* include structuredClone in test environment.
|
||||
* @jest-environment ../../../../shared/test.environment.ts
|
||||
*/
|
||||
// @ts-strict-ignore this file explicitly tests what happens when types are ignored
|
||||
import { of, firstValueFrom, Subject, tap, EmptyError } from "rxjs";
|
||||
|
||||
import { awaitAsync, trackEmissions } from "../../spec";
|
||||
@@ -14,6 +15,7 @@ import {
|
||||
ready,
|
||||
reduceCollection,
|
||||
withLatestReady,
|
||||
pin,
|
||||
} from "./rx";
|
||||
|
||||
describe("errorOnChange", () => {
|
||||
@@ -675,3 +677,72 @@ describe("on", () => {
|
||||
expect(error).toEqual(expected);
|
||||
});
|
||||
});
|
||||
|
||||
describe("pin", () => {
|
||||
it("emits the first value", async () => {
|
||||
const input = new Subject<unknown>();
|
||||
const result: unknown[] = [];
|
||||
|
||||
input.pipe(pin()).subscribe((v) => result.push(v));
|
||||
input.next(1);
|
||||
|
||||
expect(result).toEqual([1]);
|
||||
});
|
||||
|
||||
it("filters repeated emissions", async () => {
|
||||
const input = new Subject<unknown>();
|
||||
const result: unknown[] = [];
|
||||
|
||||
input.pipe(pin({ distinct: (p, c) => p == c })).subscribe((v) => result.push(v));
|
||||
input.next(1);
|
||||
input.next(1);
|
||||
|
||||
expect(result).toEqual([1]);
|
||||
});
|
||||
|
||||
it("errors if multiple emissions occur", async () => {
|
||||
const input = new Subject<unknown>();
|
||||
let error: any = null!;
|
||||
|
||||
input.pipe(pin()).subscribe({
|
||||
error: (e: unknown) => {
|
||||
error = e;
|
||||
},
|
||||
});
|
||||
input.next(1);
|
||||
input.next(1);
|
||||
|
||||
expect(error).toBeInstanceOf(Error);
|
||||
expect(error.message).toMatch(/^unknown/);
|
||||
});
|
||||
|
||||
it("names the pinned observables if multiple emissions occur", async () => {
|
||||
const input = new Subject<unknown>();
|
||||
let error: any = null!;
|
||||
|
||||
input.pipe(pin({ name: () => "example" })).subscribe({
|
||||
error: (e: unknown) => {
|
||||
error = e;
|
||||
},
|
||||
});
|
||||
input.next(1);
|
||||
input.next(1);
|
||||
|
||||
expect(error).toBeInstanceOf(Error);
|
||||
expect(error.message).toMatch(/^example/);
|
||||
});
|
||||
|
||||
it("errors if indistinct emissions occur", async () => {
|
||||
const input = new Subject<unknown>();
|
||||
let error: any = null!;
|
||||
|
||||
input
|
||||
.pipe(pin({ distinct: (p, c) => p == c }))
|
||||
.subscribe({ error: (e: unknown) => (error = e) });
|
||||
input.next(1);
|
||||
input.next(2);
|
||||
|
||||
expect(error).toBeInstanceOf(Error);
|
||||
expect(error.message).toMatch(/^unknown/);
|
||||
});
|
||||
});
|
||||
|
||||
@@ -19,6 +19,7 @@ import {
|
||||
concatMap,
|
||||
startWith,
|
||||
pairwise,
|
||||
MonoTypeOperatorFunction,
|
||||
} from "rxjs";
|
||||
|
||||
/** Returns its input. */
|
||||
@@ -213,3 +214,27 @@ export function on<T>(watch$: Observable<any>) {
|
||||
}),
|
||||
);
|
||||
}
|
||||
|
||||
/** Create an observable that emits the first value from the source and
|
||||
* throws if the observable emits another value.
|
||||
* @param options.name names the pin to make discovering failing observables easier
|
||||
* @param options.distinct compares two emissions with each other to determine whether
|
||||
* the second emission is a duplicate. When this is specified, duplicates are ignored.
|
||||
* When this isn't specified, any emission after the first causes the pin to throw
|
||||
* an error.
|
||||
*/
|
||||
export function pin<T>(options?: {
|
||||
name?: () => string;
|
||||
distinct?: (previous: T, current: T) => boolean;
|
||||
}): MonoTypeOperatorFunction<T> {
|
||||
return pipe(
|
||||
options?.distinct ? distinctUntilChanged(options.distinct) : (i) => i,
|
||||
map((value, index) => {
|
||||
if (index > 0) {
|
||||
throw new Error(`${options?.name?.() ?? "unknown"} observable should only emit one value.`);
|
||||
} else {
|
||||
return value;
|
||||
}
|
||||
}),
|
||||
);
|
||||
}
|
||||
|
||||
@@ -10,9 +10,6 @@ import { Classifier } from "./classifier";
|
||||
* when you are performing your own encryption and decryption.
|
||||
* `classified` uses the `ClassifiedFormat` type as its format.
|
||||
* `secret-state` uses `Array<ClassifiedFormat>` with a length of 1.
|
||||
* @remarks - CAUTION! If your on-disk data is not in a correct format,
|
||||
* the storage system treats the data as corrupt and returns your initial
|
||||
* value.
|
||||
*/
|
||||
export type ObjectStorageFormat = "plain" | "classified" | "secret-state";
|
||||
|
||||
@@ -27,19 +24,54 @@ export type ObjectStorageFormat = "plain" | "classified" | "secret-state";
|
||||
// options. Also allow swap between "classifier" and "classification"; the
|
||||
// latter is a list of properties/arguments to the specific classifier in-use.
|
||||
export type ObjectKey<State, Secret = State, Disclosed = Record<string, never>> = {
|
||||
/** Type of data stored by this key; Object keys always use "object" targets.
|
||||
* "object" - a singleton value.
|
||||
* "list" - multiple values identified by their list index.
|
||||
* "record" - multiple values identified by a uuid.
|
||||
*/
|
||||
target: "object";
|
||||
|
||||
/** Identifies the stored state */
|
||||
key: string;
|
||||
|
||||
/** Defines the storage location and parameters for this state */
|
||||
state: StateDefinition;
|
||||
|
||||
/** Defines the visibility and encryption treatment for the stored state.
|
||||
* Disclosed data is written as plain-text. Secret data is protected with
|
||||
* the user key.
|
||||
*/
|
||||
classifier: Classifier<State, Disclosed, Secret>;
|
||||
|
||||
/** Specifies the format of data written to storage.
|
||||
* @remarks - CAUTION! If your on-disk data is not in a correct format,
|
||||
* the storage system treats the data as corrupt and returns your initial
|
||||
* value.
|
||||
*/
|
||||
format: ObjectStorageFormat;
|
||||
|
||||
/** customizes the behavior of the storage location */
|
||||
options: UserKeyDefinitionOptions<State>;
|
||||
|
||||
/** When this is defined, empty data is replaced with a copy of the initial data.
|
||||
* This causes the state to always be defined from the perspective of the
|
||||
* subject's consumer.
|
||||
*/
|
||||
initial?: State;
|
||||
|
||||
/** For encrypted outputs, determines how much padding is applied to
|
||||
* encoded inputs. When this isn't specified, each frame is 32 bytes
|
||||
* long.
|
||||
*/
|
||||
frame?: number;
|
||||
};
|
||||
|
||||
/** Performs a type inference that identifies object keys. */
|
||||
export function isObjectKey(key: any): key is ObjectKey<unknown> {
|
||||
return key.target === "object" && "format" in key && "classifier" in key;
|
||||
}
|
||||
|
||||
/** Converts an object key to a plaform-compatible `UserKeyDefinition`. */
|
||||
export function toUserKeyDefinition<State, Secret, Disclosed>(
|
||||
key: ObjectKey<State, Secret, Disclosed>,
|
||||
) {
|
||||
|
||||
@@ -1,20 +1,13 @@
|
||||
import { RequireExactlyOne, Simplify } from "type-fest";
|
||||
import { Simplify } from "type-fest";
|
||||
|
||||
import {
|
||||
Dependencies,
|
||||
SingleUserDependency,
|
||||
SingleUserEncryptorDependency,
|
||||
WhenDependency,
|
||||
} from "../dependencies";
|
||||
import { Account } from "../../auth/abstractions/account.service";
|
||||
import { Dependencies, BoundDependency, WhenDependency } from "../dependencies";
|
||||
|
||||
import { SubjectConstraintsDependency } from "./state-constraints-dependency";
|
||||
|
||||
/** dependencies accepted by the user state subject */
|
||||
export type UserStateSubjectDependencies<State, Dependency> = Simplify<
|
||||
RequireExactlyOne<
|
||||
SingleUserDependency & SingleUserEncryptorDependency,
|
||||
"singleUserEncryptor$" | "singleUserId$"
|
||||
> &
|
||||
BoundDependency<"account", Account> &
|
||||
Partial<WhenDependency> &
|
||||
Partial<Dependencies<Dependency>> &
|
||||
Partial<SubjectConstraintsDependency<State>> & {
|
||||
|
||||
@@ -0,0 +1,17 @@
|
||||
import { Jsonify } from "type-fest";
|
||||
|
||||
import { StateProvider } from "../../platform/state";
|
||||
import { LegacyEncryptorProvider } from "../cryptography/legacy-encryptor-provider";
|
||||
import { SemanticLogger } from "../log";
|
||||
|
||||
/** Aggregates user state subject dependencies */
|
||||
export abstract class UserStateSubjectDependencyProvider {
|
||||
/** Provides objects that encrypt and decrypt user and organization data */
|
||||
abstract encryptor: LegacyEncryptorProvider;
|
||||
|
||||
/** Provides local object persistence */
|
||||
abstract state: StateProvider;
|
||||
|
||||
/** Provides semantic logging */
|
||||
abstract log: <Context extends object>(_context: Jsonify<Context>) => SemanticLogger;
|
||||
}
|
||||
@@ -1,33 +1,61 @@
|
||||
// FIXME: Update this file to be type safe and remove this and next line
|
||||
// @ts-strict-ignore
|
||||
import { BehaviorSubject, of, Subject } from "rxjs";
|
||||
|
||||
import { awaitAsync, FakeSingleUserState, ObservableTracker } from "../../../spec";
|
||||
import {
|
||||
awaitAsync,
|
||||
FakeAccountService,
|
||||
FakeStateProvider,
|
||||
ObservableTracker,
|
||||
} from "../../../spec";
|
||||
import { Account } from "../../auth/abstractions/account.service";
|
||||
import { GENERATOR_DISK, UserKeyDefinition } from "../../platform/state";
|
||||
import { UserId } from "../../types/guid";
|
||||
import { LegacyEncryptorProvider } from "../cryptography/legacy-encryptor-provider";
|
||||
import { UserEncryptor } from "../cryptography/user-encryptor.abstraction";
|
||||
import { UserBound } from "../dependencies";
|
||||
import { disabledSemanticLoggerProvider } from "../log";
|
||||
import { PrivateClassifier } from "../private-classifier";
|
||||
import { StateConstraints } from "../types";
|
||||
|
||||
import { ClassifiedFormat } from "./classified-format";
|
||||
import { ObjectKey } from "./object-key";
|
||||
import { UserStateSubject } from "./user-state-subject";
|
||||
|
||||
const SomeUser = "some user" as UserId;
|
||||
const SomeAccount = {
|
||||
id: SomeUser,
|
||||
email: "someone@example.com",
|
||||
emailVerified: true,
|
||||
name: "Someone",
|
||||
};
|
||||
const SomeAccount$ = new BehaviorSubject<Account>(SomeAccount);
|
||||
|
||||
const SomeOtherAccount = {
|
||||
id: "some other user" as UserId,
|
||||
email: "someone@example.com",
|
||||
emailVerified: true,
|
||||
name: "Someone",
|
||||
};
|
||||
|
||||
type TestType = { foo: string };
|
||||
const SomeKey = new UserKeyDefinition<TestType>(GENERATOR_DISK, "TestKey", {
|
||||
deserializer: (d) => d as TestType,
|
||||
clearOn: [],
|
||||
});
|
||||
|
||||
const SomeObjectKeyDefinition = new UserKeyDefinition<unknown>(GENERATOR_DISK, "TestKey", {
|
||||
deserializer: (d) => d as unknown,
|
||||
clearOn: ["logout"],
|
||||
});
|
||||
|
||||
const SomeObjectKey = {
|
||||
target: "object",
|
||||
key: "TestObjectKey",
|
||||
state: GENERATOR_DISK,
|
||||
key: SomeObjectKeyDefinition.key,
|
||||
state: SomeObjectKeyDefinition.stateDefinition,
|
||||
classifier: new PrivateClassifier(),
|
||||
format: "classified",
|
||||
options: {
|
||||
deserializer: (d) => d as TestType,
|
||||
clearOn: ["logout"],
|
||||
clearOn: SomeObjectKeyDefinition.clearOn,
|
||||
},
|
||||
} satisfies ObjectKey<TestType>;
|
||||
|
||||
@@ -45,6 +73,25 @@ const SomeEncryptor: UserEncryptor = {
|
||||
},
|
||||
};
|
||||
|
||||
const SomeAccountService = new FakeAccountService({
|
||||
[SomeUser]: SomeAccount,
|
||||
});
|
||||
|
||||
const SomeStateProvider = new FakeStateProvider(SomeAccountService);
|
||||
|
||||
const SomeProvider = {
|
||||
encryptor: {
|
||||
userEncryptor$: jest.fn(() => {
|
||||
return new BehaviorSubject({ encryptor: SomeEncryptor, userId: SomeUser }).asObservable();
|
||||
}),
|
||||
organizationEncryptor$() {
|
||||
throw new Error("`organizationEncryptor$` should never be invoked.");
|
||||
},
|
||||
} as LegacyEncryptorProvider,
|
||||
state: SomeStateProvider,
|
||||
log: disabledSemanticLoggerProvider,
|
||||
};
|
||||
|
||||
function fooMaxLength(maxLength: number): StateConstraints<TestType> {
|
||||
return Object.freeze({
|
||||
constraints: { foo: { maxLength } },
|
||||
@@ -68,18 +115,21 @@ const DynamicFooMaxLength = Object.freeze({
|
||||
},
|
||||
});
|
||||
|
||||
const SomeKeySomeUserInitialValue = Object.freeze({ foo: "init" });
|
||||
|
||||
describe("UserStateSubject", () => {
|
||||
beforeEach(async () => {
|
||||
await SomeStateProvider.setUserState(SomeKey, SomeKeySomeUserInitialValue, SomeUser);
|
||||
});
|
||||
|
||||
describe("dependencies", () => {
|
||||
it("ignores repeated when$ emissions", async () => {
|
||||
// this test looks for `nextValue` because a subscription isn't necessary for
|
||||
// the subject to update
|
||||
const initialValue: TestType = { foo: "init" };
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, initialValue);
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const nextValue = jest.fn((_, next) => next);
|
||||
const when$ = new BehaviorSubject(true);
|
||||
const subject = new UserStateSubject(SomeKey, () => state, {
|
||||
singleUserId$,
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, {
|
||||
account$: SomeAccount$,
|
||||
nextValue,
|
||||
when$,
|
||||
});
|
||||
@@ -96,90 +146,64 @@ describe("UserStateSubject", () => {
|
||||
expect(nextValue).toHaveBeenCalledTimes(1);
|
||||
});
|
||||
|
||||
it("ignores repeated singleUserId$ emissions", async () => {
|
||||
// this test looks for `nextValue` because a subscription isn't necessary for
|
||||
// the subject to update
|
||||
const initialValue: TestType = { foo: "init" };
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, initialValue);
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const nextValue = jest.fn((_, next) => next);
|
||||
const when$ = new BehaviorSubject(true);
|
||||
const subject = new UserStateSubject(SomeKey, () => state, {
|
||||
singleUserId$,
|
||||
nextValue,
|
||||
when$,
|
||||
it("errors when account$ changes accounts", async () => {
|
||||
const account$ = new BehaviorSubject<Account>(SomeAccount);
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, {
|
||||
account$,
|
||||
});
|
||||
let error: any = null;
|
||||
subject.subscribe({
|
||||
error(e: unknown) {
|
||||
error = e;
|
||||
},
|
||||
});
|
||||
|
||||
// the interleaved await asyncs are only necessary b/c `nextValue` is called asynchronously
|
||||
subject.next({ foo: "next" });
|
||||
await awaitAsync();
|
||||
singleUserId$.next(SomeUser);
|
||||
await awaitAsync();
|
||||
singleUserId$.next(SomeUser);
|
||||
singleUserId$.next(SomeUser);
|
||||
account$.next(SomeOtherAccount);
|
||||
await awaitAsync();
|
||||
|
||||
expect(nextValue).toHaveBeenCalledTimes(1);
|
||||
expect(error).toBeInstanceOf(Error);
|
||||
expect(error.message).toMatch(/UserStateSubject\(generator, TestKey\) \{ account\$ \}/);
|
||||
});
|
||||
|
||||
it("ignores repeated singleUserEncryptor$ emissions", async () => {
|
||||
// this test looks for `nextValue` because a subscription isn't necessary for
|
||||
// the subject to update
|
||||
const initialValue: TestType = { foo: "init" };
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, initialValue);
|
||||
const nextValue = jest.fn((_, next) => next);
|
||||
const singleUserEncryptor$ = new BehaviorSubject({ userId: SomeUser, encryptor: null });
|
||||
const subject = new UserStateSubject(SomeKey, () => state, {
|
||||
nextValue,
|
||||
singleUserEncryptor$,
|
||||
});
|
||||
it("waits for account$", async () => {
|
||||
await SomeStateProvider.setUserState(
|
||||
SomeObjectKeyDefinition,
|
||||
{ id: null, secret: '{"foo":"init"}', disclosed: {} } as unknown,
|
||||
SomeUser,
|
||||
);
|
||||
const account$ = new Subject<Account>();
|
||||
const subject = new UserStateSubject(SomeObjectKey, SomeProvider, { account$ });
|
||||
|
||||
// the interleaved await asyncs are only necessary b/c `nextValue` is called asynchronously
|
||||
subject.next({ foo: "next" });
|
||||
await awaitAsync();
|
||||
singleUserEncryptor$.next({ userId: SomeUser, encryptor: null });
|
||||
await awaitAsync();
|
||||
singleUserEncryptor$.next({ userId: SomeUser, encryptor: null });
|
||||
singleUserEncryptor$.next({ userId: SomeUser, encryptor: null });
|
||||
const results = [] as any[];
|
||||
subject.subscribe((v) => results.push(v));
|
||||
// precondition: no immediate emission upon subscribe
|
||||
expect(results).toEqual([]);
|
||||
|
||||
account$.next(SomeAccount);
|
||||
await awaitAsync();
|
||||
|
||||
expect(nextValue).toHaveBeenCalledTimes(1);
|
||||
expect(results).toEqual([{ foo: "decrypt(init)" }]);
|
||||
});
|
||||
|
||||
it("waits for constraints$", async () => {
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, { foo: "init" });
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const constraints$ = new Subject<StateConstraints<TestType>>();
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserId$, constraints$ });
|
||||
const tracker = new ObservableTracker(subject);
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, {
|
||||
account$: SomeAccount$,
|
||||
constraints$,
|
||||
});
|
||||
const results = [] as any[];
|
||||
subject.subscribe((v) => results.push(v));
|
||||
|
||||
constraints$.next(fooMaxLength(3));
|
||||
const [initResult] = await tracker.pauseUntilReceived(1);
|
||||
await awaitAsync();
|
||||
|
||||
expect(initResult).toEqual({ foo: "ini" });
|
||||
});
|
||||
|
||||
it("waits for singleUserEncryptor$", async () => {
|
||||
const state = new FakeSingleUserState<ClassifiedFormat<void, Record<string, never>>>(
|
||||
SomeUser,
|
||||
{ id: null, secret: '{"foo":"init"}', disclosed: {} },
|
||||
);
|
||||
const singleUserEncryptor$ = new Subject<UserBound<"encryptor", UserEncryptor>>();
|
||||
const subject = new UserStateSubject(SomeObjectKey, () => state, { singleUserEncryptor$ });
|
||||
const tracker = new ObservableTracker(subject);
|
||||
|
||||
singleUserEncryptor$.next({ userId: SomeUser, encryptor: SomeEncryptor });
|
||||
const [initResult] = await tracker.pauseUntilReceived(1);
|
||||
|
||||
expect(initResult).toEqual({ foo: "decrypt(init)" });
|
||||
expect(results).toEqual([{ foo: "ini" }]);
|
||||
});
|
||||
});
|
||||
|
||||
describe("next", () => {
|
||||
it("emits the next value", async () => {
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, { foo: "init" });
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserId$ });
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, { account$: SomeAccount$ });
|
||||
const expected: TestType = { foo: "next" };
|
||||
|
||||
let actual: TestType = null;
|
||||
@@ -193,44 +217,39 @@ describe("UserStateSubject", () => {
|
||||
});
|
||||
|
||||
it("ceases emissions once complete", async () => {
|
||||
const initialState = { foo: "init" };
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, initialState);
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserId$ });
|
||||
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, { account$: SomeAccount$ });
|
||||
let actual: TestType = null;
|
||||
subject.subscribe((value) => {
|
||||
actual = value;
|
||||
});
|
||||
await awaitAsync();
|
||||
|
||||
subject.complete();
|
||||
subject.next({ foo: "ignored" });
|
||||
await awaitAsync();
|
||||
|
||||
expect(actual).toEqual(initialState);
|
||||
expect(actual).toEqual(SomeKeySomeUserInitialValue);
|
||||
});
|
||||
|
||||
it("evaluates shouldUpdate", async () => {
|
||||
const initialValue: TestType = { foo: "init" };
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, initialValue);
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const shouldUpdate = jest.fn(() => true);
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserId$, shouldUpdate });
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, {
|
||||
account$: SomeAccount$,
|
||||
shouldUpdate,
|
||||
});
|
||||
|
||||
const nextVal: TestType = { foo: "next" };
|
||||
subject.next(nextVal);
|
||||
await awaitAsync();
|
||||
|
||||
expect(shouldUpdate).toHaveBeenCalledWith(initialValue, nextVal, null);
|
||||
expect(shouldUpdate).toHaveBeenCalledWith(SomeKeySomeUserInitialValue, nextVal, null);
|
||||
});
|
||||
|
||||
it("evaluates shouldUpdate with a dependency", async () => {
|
||||
const initialValue: TestType = { foo: "init" };
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, initialValue);
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const shouldUpdate = jest.fn(() => true);
|
||||
const dependencyValue = { bar: "dependency" };
|
||||
const subject = new UserStateSubject(SomeKey, () => state, {
|
||||
singleUserId$,
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, {
|
||||
account$: SomeAccount$,
|
||||
shouldUpdate,
|
||||
dependencies$: of(dependencyValue),
|
||||
});
|
||||
@@ -239,15 +258,19 @@ describe("UserStateSubject", () => {
|
||||
subject.next(nextVal);
|
||||
await awaitAsync();
|
||||
|
||||
expect(shouldUpdate).toHaveBeenCalledWith(initialValue, nextVal, dependencyValue);
|
||||
expect(shouldUpdate).toHaveBeenCalledWith(
|
||||
SomeKeySomeUserInitialValue,
|
||||
nextVal,
|
||||
dependencyValue,
|
||||
);
|
||||
});
|
||||
|
||||
it("emits a value when shouldUpdate returns `true`", async () => {
|
||||
const initialValue: TestType = { foo: "init" };
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, initialValue);
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const shouldUpdate = jest.fn(() => true);
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserId$, shouldUpdate });
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, {
|
||||
account$: SomeAccount$,
|
||||
shouldUpdate,
|
||||
});
|
||||
const expected: TestType = { foo: "next" };
|
||||
|
||||
let actual: TestType = null;
|
||||
@@ -261,11 +284,11 @@ describe("UserStateSubject", () => {
|
||||
});
|
||||
|
||||
it("retains the current value when shouldUpdate returns `false`", async () => {
|
||||
const initialValue: TestType = { foo: "init" };
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, initialValue);
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const shouldUpdate = jest.fn(() => false);
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserId$, shouldUpdate });
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, {
|
||||
account$: SomeAccount$,
|
||||
shouldUpdate,
|
||||
});
|
||||
|
||||
subject.next({ foo: "next" });
|
||||
await awaitAsync();
|
||||
@@ -274,31 +297,28 @@ describe("UserStateSubject", () => {
|
||||
actual = value;
|
||||
});
|
||||
|
||||
expect(actual).toEqual(initialValue);
|
||||
expect(actual).toEqual(SomeKeySomeUserInitialValue);
|
||||
});
|
||||
|
||||
it("evaluates nextValue", async () => {
|
||||
const initialValue: TestType = { foo: "init" };
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, initialValue);
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const nextValue = jest.fn((_, next) => next);
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserId$, nextValue });
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, {
|
||||
account$: SomeAccount$,
|
||||
nextValue,
|
||||
});
|
||||
|
||||
const nextVal: TestType = { foo: "next" };
|
||||
subject.next(nextVal);
|
||||
await awaitAsync();
|
||||
|
||||
expect(nextValue).toHaveBeenCalledWith(initialValue, nextVal, null);
|
||||
expect(nextValue).toHaveBeenCalledWith(SomeKeySomeUserInitialValue, nextVal, null);
|
||||
});
|
||||
|
||||
it("evaluates nextValue with a dependency", async () => {
|
||||
const initialValue: TestType = { foo: "init" };
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, initialValue);
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const nextValue = jest.fn((_, next) => next);
|
||||
const dependencyValue = { bar: "dependency" };
|
||||
const subject = new UserStateSubject(SomeKey, () => state, {
|
||||
singleUserId$,
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, {
|
||||
account$: SomeAccount$,
|
||||
nextValue,
|
||||
dependencies$: of(dependencyValue),
|
||||
});
|
||||
@@ -307,19 +327,16 @@ describe("UserStateSubject", () => {
|
||||
subject.next(nextVal);
|
||||
await awaitAsync();
|
||||
|
||||
expect(nextValue).toHaveBeenCalledWith(initialValue, nextVal, dependencyValue);
|
||||
expect(nextValue).toHaveBeenCalledWith(SomeKeySomeUserInitialValue, nextVal, dependencyValue);
|
||||
});
|
||||
|
||||
it("evaluates nextValue when when$ is true", async () => {
|
||||
// this test looks for `nextValue` because a subscription isn't necessary for
|
||||
// the subject to update
|
||||
const initialValue: TestType = { foo: "init" };
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, initialValue);
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const nextValue = jest.fn((_, next) => next);
|
||||
const when$ = new BehaviorSubject(true);
|
||||
const subject = new UserStateSubject(SomeKey, () => state, {
|
||||
singleUserId$,
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, {
|
||||
account$: SomeAccount$,
|
||||
nextValue,
|
||||
when$,
|
||||
});
|
||||
@@ -334,13 +351,10 @@ describe("UserStateSubject", () => {
|
||||
it("waits to evaluate nextValue until when$ is true", async () => {
|
||||
// this test looks for `nextValue` because a subscription isn't necessary for
|
||||
// the subject to update.
|
||||
const initialValue: TestType = { foo: "init" };
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, initialValue);
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const nextValue = jest.fn((_, next) => next);
|
||||
const when$ = new BehaviorSubject(false);
|
||||
const subject = new UserStateSubject(SomeKey, () => state, {
|
||||
singleUserId$,
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, {
|
||||
account$: SomeAccount$,
|
||||
nextValue,
|
||||
when$,
|
||||
});
|
||||
@@ -355,62 +369,31 @@ describe("UserStateSubject", () => {
|
||||
expect(nextValue).toHaveBeenCalled();
|
||||
});
|
||||
|
||||
it("waits to evaluate `UserState.update` until singleUserId$ emits", async () => {
|
||||
// this test looks for `nextMock` because a subscription isn't necessary for
|
||||
it("waits to evaluate `UserState.update` until account$ emits", async () => {
|
||||
// this test looks for `nextValue` because a subscription isn't necessary for
|
||||
// the subject to update.
|
||||
const initialValue: TestType = { foo: "init" };
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, initialValue);
|
||||
const singleUserId$ = new Subject<UserId>();
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserId$ });
|
||||
const account$ = new Subject<Account>();
|
||||
const nextValue = jest.fn((_, pending) => pending);
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, { account$, nextValue });
|
||||
|
||||
// precondition: subject doesn't update after `next`
|
||||
const nextVal: TestType = { foo: "next" };
|
||||
subject.next(nextVal);
|
||||
await awaitAsync();
|
||||
expect(state.nextMock).not.toHaveBeenCalled();
|
||||
expect(nextValue).not.toHaveBeenCalled();
|
||||
|
||||
singleUserId$.next(SomeUser);
|
||||
account$.next(SomeAccount);
|
||||
await awaitAsync();
|
||||
|
||||
expect(state.nextMock).toHaveBeenCalledWith({
|
||||
foo: "next",
|
||||
// FIXME: don't leak this detail into the test
|
||||
"$^$ALWAYS_UPDATE_KLUDGE_PROPERTY$^$": 0,
|
||||
});
|
||||
});
|
||||
|
||||
it("waits to evaluate `UserState.update` until singleUserEncryptor$ emits", async () => {
|
||||
const state = new FakeSingleUserState<ClassifiedFormat<void, Record<string, never>>>(
|
||||
SomeUser,
|
||||
{ id: null, secret: '{"foo":"init"}', disclosed: null },
|
||||
);
|
||||
const singleUserEncryptor$ = new Subject<UserBound<"encryptor", UserEncryptor>>();
|
||||
const subject = new UserStateSubject(SomeObjectKey, () => state, { singleUserEncryptor$ });
|
||||
|
||||
// precondition: subject doesn't update after `next`
|
||||
const nextVal: TestType = { foo: "next" };
|
||||
subject.next(nextVal);
|
||||
await awaitAsync();
|
||||
expect(state.nextMock).not.toHaveBeenCalled();
|
||||
|
||||
singleUserEncryptor$.next({ userId: SomeUser, encryptor: SomeEncryptor });
|
||||
await awaitAsync();
|
||||
|
||||
const encrypted = { foo: "encrypt(next)" };
|
||||
expect(state.nextMock).toHaveBeenCalledWith({
|
||||
id: null,
|
||||
secret: encrypted,
|
||||
disclosed: null,
|
||||
// FIXME: don't leak this detail into the test
|
||||
"$^$ALWAYS_UPDATE_KLUDGE_PROPERTY$^$": 0,
|
||||
});
|
||||
expect(nextValue).toHaveBeenCalledWith(SomeKeySomeUserInitialValue, { foo: "next" }, null);
|
||||
});
|
||||
|
||||
it("applies dynamic constraints", async () => {
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, { foo: "init" });
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const constraints$ = new BehaviorSubject(DynamicFooMaxLength);
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserId$, constraints$ });
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, {
|
||||
account$: SomeAccount$,
|
||||
constraints$,
|
||||
});
|
||||
const tracker = new ObservableTracker(subject);
|
||||
const expected: TestType = { foo: "next" };
|
||||
const emission = tracker.expectEmission();
|
||||
@@ -422,10 +405,11 @@ describe("UserStateSubject", () => {
|
||||
});
|
||||
|
||||
it("applies constraints$ on next", async () => {
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, { foo: "init" });
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const constraints$ = new BehaviorSubject(fooMaxLength(2));
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserId$, constraints$ });
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, {
|
||||
account$: SomeAccount$,
|
||||
constraints$,
|
||||
});
|
||||
const tracker = new ObservableTracker(subject);
|
||||
|
||||
subject.next({ foo: "next" });
|
||||
@@ -435,10 +419,11 @@ describe("UserStateSubject", () => {
|
||||
});
|
||||
|
||||
it("applies latest constraints$ on next", async () => {
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, { foo: "init" });
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const constraints$ = new BehaviorSubject(fooMaxLength(2));
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserId$, constraints$ });
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, {
|
||||
account$: SomeAccount$,
|
||||
constraints$,
|
||||
});
|
||||
const tracker = new ObservableTracker(subject);
|
||||
|
||||
constraints$.next(fooMaxLength(3));
|
||||
@@ -449,10 +434,11 @@ describe("UserStateSubject", () => {
|
||||
});
|
||||
|
||||
it("waits for constraints$", async () => {
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, { foo: "init" });
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const constraints$ = new Subject<StateConstraints<TestType>>();
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserId$, constraints$ });
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, {
|
||||
account$: SomeAccount$,
|
||||
constraints$,
|
||||
});
|
||||
const results: any[] = [];
|
||||
subject.subscribe((r) => {
|
||||
results.push(r);
|
||||
@@ -468,10 +454,11 @@ describe("UserStateSubject", () => {
|
||||
});
|
||||
|
||||
it("uses the last-emitted value from constraints$ when constraints$ errors", async () => {
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, { foo: "init" });
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const constraints$ = new BehaviorSubject(fooMaxLength(3));
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserId$, constraints$ });
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, {
|
||||
account$: SomeAccount$,
|
||||
constraints$,
|
||||
});
|
||||
const tracker = new ObservableTracker(subject);
|
||||
|
||||
constraints$.error({ some: "error" });
|
||||
@@ -482,10 +469,11 @@ describe("UserStateSubject", () => {
|
||||
});
|
||||
|
||||
it("uses the last-emitted value from constraints$ when constraints$ completes", async () => {
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, { foo: "init" });
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const constraints$ = new BehaviorSubject(fooMaxLength(3));
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserId$, constraints$ });
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, {
|
||||
account$: SomeAccount$,
|
||||
constraints$,
|
||||
});
|
||||
const tracker = new ObservableTracker(subject);
|
||||
|
||||
constraints$.complete();
|
||||
@@ -498,9 +486,7 @@ describe("UserStateSubject", () => {
|
||||
|
||||
describe("error", () => {
|
||||
it("emits errors", async () => {
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, { foo: "init" });
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserId$ });
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, { account$: SomeAccount$ });
|
||||
const expected: TestType = { foo: "error" };
|
||||
|
||||
let actual: TestType = null;
|
||||
@@ -516,10 +502,7 @@ describe("UserStateSubject", () => {
|
||||
});
|
||||
|
||||
it("ceases emissions once errored", async () => {
|
||||
const initialState = { foo: "init" };
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, initialState);
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserId$ });
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, { account$: SomeAccount$ });
|
||||
|
||||
let actual: TestType = null;
|
||||
subject.subscribe({
|
||||
@@ -535,10 +518,7 @@ describe("UserStateSubject", () => {
|
||||
});
|
||||
|
||||
it("ceases emissions once complete", async () => {
|
||||
const initialState = { foo: "init" };
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, initialState);
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserId$ });
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, { account$: SomeAccount$ });
|
||||
|
||||
let shouldNotRun = false;
|
||||
subject.subscribe({
|
||||
@@ -556,9 +536,7 @@ describe("UserStateSubject", () => {
|
||||
|
||||
describe("complete", () => {
|
||||
it("emits completes", async () => {
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, { foo: "init" });
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserId$ });
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, { account$: SomeAccount$ });
|
||||
|
||||
let actual = false;
|
||||
subject.subscribe({
|
||||
@@ -573,10 +551,7 @@ describe("UserStateSubject", () => {
|
||||
});
|
||||
|
||||
it("ceases emissions once errored", async () => {
|
||||
const initialState = { foo: "init" };
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, initialState);
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserId$ });
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, { account$: SomeAccount$ });
|
||||
|
||||
let shouldNotRun = false;
|
||||
subject.subscribe({
|
||||
@@ -594,10 +569,7 @@ describe("UserStateSubject", () => {
|
||||
});
|
||||
|
||||
it("ceases emissions once complete", async () => {
|
||||
const initialState = { foo: "init" };
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, initialState);
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserId$ });
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, { account$: SomeAccount$ });
|
||||
|
||||
let timesRun = 0;
|
||||
subject.subscribe({
|
||||
@@ -615,10 +587,11 @@ describe("UserStateSubject", () => {
|
||||
|
||||
describe("subscribe", () => {
|
||||
it("applies constraints$ on init", async () => {
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, { foo: "init" });
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const constraints$ = new BehaviorSubject(fooMaxLength(2));
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserId$, constraints$ });
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, {
|
||||
account$: SomeAccount$,
|
||||
constraints$,
|
||||
});
|
||||
const tracker = new ObservableTracker(subject);
|
||||
|
||||
const [result] = await tracker.pauseUntilReceived(1);
|
||||
@@ -627,10 +600,11 @@ describe("UserStateSubject", () => {
|
||||
});
|
||||
|
||||
it("applies constraints$ on constraints$ emission", async () => {
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, { foo: "init" });
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const constraints$ = new BehaviorSubject(fooMaxLength(2));
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserId$, constraints$ });
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, {
|
||||
account$: SomeAccount$,
|
||||
constraints$,
|
||||
});
|
||||
const tracker = new ObservableTracker(subject);
|
||||
|
||||
constraints$.next(fooMaxLength(1));
|
||||
@@ -639,11 +613,9 @@ describe("UserStateSubject", () => {
|
||||
expect(result).toEqual({ foo: "i" });
|
||||
});
|
||||
|
||||
it("completes when singleUserId$ completes", async () => {
|
||||
const initialValue: TestType = { foo: "init" };
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, initialValue);
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserId$ });
|
||||
it("completes when account$ completes", async () => {
|
||||
const account$ = new BehaviorSubject(SomeAccount);
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, { account$ });
|
||||
|
||||
let actual = false;
|
||||
subject.subscribe({
|
||||
@@ -651,38 +623,18 @@ describe("UserStateSubject", () => {
|
||||
actual = true;
|
||||
},
|
||||
});
|
||||
singleUserId$.complete();
|
||||
await awaitAsync();
|
||||
|
||||
expect(actual).toBeTruthy();
|
||||
});
|
||||
|
||||
it("completes when singleUserId$ completes", async () => {
|
||||
const state = new FakeSingleUserState<ClassifiedFormat<void, Record<string, never>>>(
|
||||
SomeUser,
|
||||
{ id: null, secret: '{"foo":"init"}', disclosed: null },
|
||||
);
|
||||
const singleUserEncryptor$ = new Subject<UserBound<"encryptor", UserEncryptor>>();
|
||||
const subject = new UserStateSubject(SomeObjectKey, () => state, { singleUserEncryptor$ });
|
||||
|
||||
let actual = false;
|
||||
subject.subscribe({
|
||||
complete: () => {
|
||||
actual = true;
|
||||
},
|
||||
});
|
||||
singleUserEncryptor$.complete();
|
||||
account$.complete();
|
||||
await awaitAsync();
|
||||
|
||||
expect(actual).toBeTruthy();
|
||||
});
|
||||
|
||||
it("completes when when$ completes", async () => {
|
||||
const initialValue: TestType = { foo: "init" };
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, initialValue);
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const when$ = new BehaviorSubject(true);
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserId$, when$ });
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, {
|
||||
account$: SomeAccount$,
|
||||
when$,
|
||||
});
|
||||
|
||||
let actual = false;
|
||||
subject.subscribe({
|
||||
@@ -699,12 +651,9 @@ describe("UserStateSubject", () => {
|
||||
// FIXME: add test for `this.state.catch` once `FakeSingleUserState` supports
|
||||
// simulated errors
|
||||
|
||||
it("errors when singleUserId$ changes", async () => {
|
||||
const initialValue: TestType = { foo: "init" };
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, initialValue);
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserId$ });
|
||||
const errorUserId = "error" as UserId;
|
||||
it("errors when account$ changes", async () => {
|
||||
const account$ = new BehaviorSubject(SomeAccount);
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, { account$ });
|
||||
|
||||
let error = false;
|
||||
subject.subscribe({
|
||||
@@ -712,39 +661,15 @@ describe("UserStateSubject", () => {
|
||||
error = e as any;
|
||||
},
|
||||
});
|
||||
singleUserId$.next(errorUserId);
|
||||
account$.next(SomeOtherAccount);
|
||||
await awaitAsync();
|
||||
|
||||
expect(error).toEqual({ expectedUserId: SomeUser, actualUserId: errorUserId });
|
||||
expect(error).toBeInstanceOf(Error);
|
||||
});
|
||||
|
||||
it("errors when singleUserEncryptor$ changes", async () => {
|
||||
const state = new FakeSingleUserState<ClassifiedFormat<void, Record<string, never>>>(
|
||||
SomeUser,
|
||||
{ id: null, secret: '{"foo":"init"}', disclosed: null },
|
||||
);
|
||||
const singleUserEncryptor$ = new Subject<UserBound<"encryptor", UserEncryptor>>();
|
||||
const subject = new UserStateSubject(SomeObjectKey, () => state, { singleUserEncryptor$ });
|
||||
const errorUserId = "error" as UserId;
|
||||
|
||||
let error = false;
|
||||
subject.subscribe({
|
||||
error: (e: unknown) => {
|
||||
error = e as any;
|
||||
},
|
||||
});
|
||||
singleUserEncryptor$.next({ userId: SomeUser, encryptor: SomeEncryptor });
|
||||
singleUserEncryptor$.next({ userId: errorUserId, encryptor: SomeEncryptor });
|
||||
await awaitAsync();
|
||||
|
||||
expect(error).toEqual({ expectedUserId: SomeUser, actualUserId: errorUserId });
|
||||
});
|
||||
|
||||
it("errors when singleUserId$ errors", async () => {
|
||||
const initialValue: TestType = { foo: "init" };
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, initialValue);
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserId$ });
|
||||
it("errors when account$ errors", async () => {
|
||||
const account$ = new BehaviorSubject(SomeAccount);
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, { account$ });
|
||||
const expected = { error: "description" };
|
||||
|
||||
let actual = false;
|
||||
@@ -753,37 +678,18 @@ describe("UserStateSubject", () => {
|
||||
actual = e as any;
|
||||
},
|
||||
});
|
||||
singleUserId$.error(expected);
|
||||
await awaitAsync();
|
||||
|
||||
expect(actual).toEqual(expected);
|
||||
});
|
||||
|
||||
it("errors when singleUserEncryptor$ errors", async () => {
|
||||
const initialValue: TestType = { foo: "init" };
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, initialValue);
|
||||
const singleUserEncryptor$ = new Subject<UserBound<"encryptor", UserEncryptor>>();
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserEncryptor$ });
|
||||
const expected = { error: "description" };
|
||||
|
||||
let actual = false;
|
||||
subject.subscribe({
|
||||
error: (e: unknown) => {
|
||||
actual = e as any;
|
||||
},
|
||||
});
|
||||
singleUserEncryptor$.error(expected);
|
||||
account$.error(expected);
|
||||
await awaitAsync();
|
||||
|
||||
expect(actual).toEqual(expected);
|
||||
});
|
||||
|
||||
it("errors when when$ errors", async () => {
|
||||
const initialValue: TestType = { foo: "init" };
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, initialValue);
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const when$ = new BehaviorSubject(true);
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserId$, when$ });
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, {
|
||||
account$: SomeAccount$,
|
||||
when$,
|
||||
});
|
||||
const expected = { error: "description" };
|
||||
|
||||
let actual = false;
|
||||
@@ -799,21 +705,9 @@ describe("UserStateSubject", () => {
|
||||
});
|
||||
});
|
||||
|
||||
describe("userId", () => {
|
||||
it("returns the userId to which the subject is bound", () => {
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, { foo: "init" });
|
||||
const singleUserId$ = new Subject<UserId>();
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserId$ });
|
||||
|
||||
expect(subject.userId).toEqual(SomeUser);
|
||||
});
|
||||
});
|
||||
|
||||
describe("withConstraints$", () => {
|
||||
it("emits the next value with an empty constraint", async () => {
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, { foo: "init" });
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserId$ });
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, { account$: SomeAccount$ });
|
||||
const tracker = new ObservableTracker(subject.withConstraints$);
|
||||
const expected: TestType = { foo: "next" };
|
||||
const emission = tracker.expectEmission();
|
||||
@@ -826,25 +720,23 @@ describe("UserStateSubject", () => {
|
||||
});
|
||||
|
||||
it("ceases emissions once the subject completes", async () => {
|
||||
const initialState = { foo: "init" };
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, initialState);
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserId$ });
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, { account$: SomeAccount$ });
|
||||
const tracker = new ObservableTracker(subject.withConstraints$);
|
||||
|
||||
subject.complete();
|
||||
subject.next({ foo: "ignored" });
|
||||
const [result] = await tracker.pauseUntilReceived(1);
|
||||
|
||||
expect(result.state).toEqual(initialState);
|
||||
expect(result.state).toEqual(SomeKeySomeUserInitialValue);
|
||||
expect(tracker.emissions.length).toEqual(1);
|
||||
});
|
||||
|
||||
it("emits constraints$ on constraints$ emission", async () => {
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, { foo: "init" });
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const constraints$ = new BehaviorSubject(fooMaxLength(2));
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserId$, constraints$ });
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, {
|
||||
account$: SomeAccount$,
|
||||
constraints$,
|
||||
});
|
||||
const tracker = new ObservableTracker(subject.withConstraints$);
|
||||
const expected = fooMaxLength(1);
|
||||
const emission = tracker.expectEmission();
|
||||
@@ -857,10 +749,11 @@ describe("UserStateSubject", () => {
|
||||
});
|
||||
|
||||
it("emits dynamic constraints", async () => {
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, { foo: "init" });
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const constraints$ = new BehaviorSubject(DynamicFooMaxLength);
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserId$, constraints$ });
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, {
|
||||
account$: SomeAccount$,
|
||||
constraints$,
|
||||
});
|
||||
const tracker = new ObservableTracker(subject.withConstraints$);
|
||||
const expected: TestType = { foo: "next" };
|
||||
const emission = tracker.expectEmission();
|
||||
@@ -873,11 +766,12 @@ describe("UserStateSubject", () => {
|
||||
});
|
||||
|
||||
it("emits constraints$ on next", async () => {
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, { foo: "init" });
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const expected = fooMaxLength(2);
|
||||
const constraints$ = new BehaviorSubject(expected);
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserId$, constraints$ });
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, {
|
||||
account$: SomeAccount$,
|
||||
constraints$,
|
||||
});
|
||||
const tracker = new ObservableTracker(subject.withConstraints$);
|
||||
const emission = tracker.expectEmission();
|
||||
|
||||
@@ -889,10 +783,11 @@ describe("UserStateSubject", () => {
|
||||
});
|
||||
|
||||
it("emits the latest constraints$ on next", async () => {
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, { foo: "init" });
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const constraints$ = new BehaviorSubject(fooMaxLength(2));
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserId$, constraints$ });
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, {
|
||||
account$: SomeAccount$,
|
||||
constraints$,
|
||||
});
|
||||
const tracker = new ObservableTracker(subject.withConstraints$);
|
||||
const expected = fooMaxLength(3);
|
||||
constraints$.next(expected);
|
||||
@@ -906,10 +801,11 @@ describe("UserStateSubject", () => {
|
||||
});
|
||||
|
||||
it("waits for constraints$", async () => {
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, { foo: "init" });
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const constraints$ = new Subject<StateConstraints<TestType>>();
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserId$, constraints$ });
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, {
|
||||
account$: SomeAccount$,
|
||||
constraints$,
|
||||
});
|
||||
const tracker = new ObservableTracker(subject.withConstraints$);
|
||||
const expected = fooMaxLength(3);
|
||||
|
||||
@@ -923,11 +819,12 @@ describe("UserStateSubject", () => {
|
||||
});
|
||||
|
||||
it("emits the last-emitted value from constraints$ when constraints$ errors", async () => {
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, { foo: "init" });
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const expected = fooMaxLength(3);
|
||||
const constraints$ = new BehaviorSubject(expected);
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserId$, constraints$ });
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, {
|
||||
account$: SomeAccount$,
|
||||
constraints$,
|
||||
});
|
||||
const tracker = new ObservableTracker(subject.withConstraints$);
|
||||
|
||||
constraints$.error({ some: "error" });
|
||||
@@ -939,11 +836,12 @@ describe("UserStateSubject", () => {
|
||||
});
|
||||
|
||||
it("emits the last-emitted value from constraints$ when constraints$ completes", async () => {
|
||||
const state = new FakeSingleUserState<TestType>(SomeUser, { foo: "init" });
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser);
|
||||
const expected = fooMaxLength(3);
|
||||
const constraints$ = new BehaviorSubject(expected);
|
||||
const subject = new UserStateSubject(SomeKey, () => state, { singleUserId$, constraints$ });
|
||||
const subject = new UserStateSubject(SomeKey, SomeProvider, {
|
||||
account$: SomeAccount$,
|
||||
constraints$,
|
||||
});
|
||||
const tracker = new ObservableTracker(subject.withConstraints$);
|
||||
|
||||
constraints$.complete();
|
||||
|
||||
@@ -24,14 +24,17 @@ import {
|
||||
withLatestFrom,
|
||||
scan,
|
||||
skip,
|
||||
shareReplay,
|
||||
tap,
|
||||
switchMap,
|
||||
} from "rxjs";
|
||||
|
||||
import { Account } from "../../auth/abstractions/account.service";
|
||||
import { EncString } from "../../platform/models/domain/enc-string";
|
||||
import { SingleUserState, UserKeyDefinition } from "../../platform/state";
|
||||
import { UserId } from "../../types/guid";
|
||||
import { UserEncryptor } from "../cryptography/user-encryptor.abstraction";
|
||||
import { UserBound } from "../dependencies";
|
||||
import { anyComplete, errorOnChange, ready, withLatestReady } from "../rx";
|
||||
import { SemanticLogger } from "../log";
|
||||
import { anyComplete, pin, ready, withLatestReady } from "../rx";
|
||||
import { Constraints, SubjectConstraints, WithConstraints } from "../types";
|
||||
|
||||
import { ClassifiedFormat, isClassifiedFormat } from "./classified-format";
|
||||
@@ -39,6 +42,7 @@ import { unconstrained$ } from "./identity-state-constraint";
|
||||
import { isObjectKey, ObjectKey, toUserKeyDefinition } from "./object-key";
|
||||
import { isDynamic } from "./state-constraints-dependency";
|
||||
import { UserStateSubjectDependencies } from "./user-state-subject-dependencies";
|
||||
import { UserStateSubjectDependencyProvider } from "./user-state-subject-dependency-provider";
|
||||
|
||||
type Constrained<State> = { constraints: Readonly<Constraints<State>>; state: State };
|
||||
|
||||
@@ -59,6 +63,9 @@ type Constrained<State> = { constraints: Readonly<Constraints<State>>; state: St
|
||||
// update b/c their IVs change.
|
||||
const ALWAYS_UPDATE_KLUDGE = "$^$ALWAYS_UPDATE_KLUDGE_PROPERTY$^$";
|
||||
|
||||
/** Default frame size for data packing */
|
||||
const DEFAULT_FRAME_SIZE = 32;
|
||||
|
||||
/**
|
||||
* Adapt a state provider to an rxjs subject.
|
||||
*
|
||||
@@ -90,12 +97,12 @@ export class UserStateSubject<
|
||||
* this becomes true. When this occurs, only the last-received update
|
||||
* is applied. The blocked update is kept in memory. It does not persist
|
||||
* to disk.
|
||||
* @param dependencies.singleUserId$ writes block until the singleUserId$
|
||||
* @param dependencies.account$ writes block until the account$
|
||||
* is available.
|
||||
*/
|
||||
constructor(
|
||||
private key: UserKeyDefinition<State> | ObjectKey<State, Secret, Disclosed>,
|
||||
getState: (key: UserKeyDefinition<unknown>) => SingleUserState<unknown>,
|
||||
private providers: UserStateSubjectDependencyProvider,
|
||||
private context: UserStateSubjectDependencies<State, Dependencies>,
|
||||
) {
|
||||
super();
|
||||
@@ -104,42 +111,60 @@ export class UserStateSubject<
|
||||
// classification and encryption only supported with `ObjectKey`
|
||||
this.objectKey = this.key;
|
||||
this.stateKey = toUserKeyDefinition(this.key);
|
||||
this.state = getState(this.stateKey);
|
||||
} else {
|
||||
// raw state access granted with `UserKeyDefinition`
|
||||
this.objectKey = null;
|
||||
this.stateKey = this.key as UserKeyDefinition<State>;
|
||||
this.state = getState(this.stateKey);
|
||||
}
|
||||
|
||||
this.log = this.providers.log({
|
||||
contextId: this.contextId,
|
||||
type: "UserStateSubject",
|
||||
storage: {
|
||||
state: this.stateKey.stateDefinition.name,
|
||||
key: this.stateKey.key,
|
||||
},
|
||||
});
|
||||
|
||||
// normalize dependencies
|
||||
const when$ = (this.context.when$ ?? new BehaviorSubject(true)).pipe(distinctUntilChanged());
|
||||
const account$ = context.account$.pipe(
|
||||
pin({
|
||||
name: () => `${this.contextId} { account$ }`,
|
||||
distinct(prev, current) {
|
||||
return prev.id === current.id;
|
||||
},
|
||||
}),
|
||||
shareReplay({ refCount: true, bufferSize: 1 }),
|
||||
);
|
||||
const encryptor$ = this.encryptor(account$);
|
||||
const constraints$ = (this.context.constraints$ ?? unconstrained$<State>()).pipe(
|
||||
catchError((e: unknown) => {
|
||||
this.log.error(e as object, "constraints$ dependency failed; using last-known constraints");
|
||||
return EMPTY;
|
||||
}),
|
||||
shareReplay({ refCount: true, bufferSize: 1 }),
|
||||
);
|
||||
const dependencies$ = (
|
||||
this.context.dependencies$ ?? new BehaviorSubject<Dependencies>(null)
|
||||
).pipe(shareReplay({ refCount: true, bufferSize: 1 }));
|
||||
|
||||
// manage dependencies through replay subjects since `UserStateSubject`
|
||||
// reads them in multiple places
|
||||
const encryptor$ = new ReplaySubject<UserEncryptor>(1);
|
||||
const { singleUserId$, singleUserEncryptor$ } = this.context;
|
||||
this.encryptor(singleUserEncryptor$ ?? singleUserId$).subscribe(encryptor$);
|
||||
|
||||
const constraints$ = new ReplaySubject<SubjectConstraints<State>>(1);
|
||||
(this.context.constraints$ ?? unconstrained$<State>())
|
||||
.pipe(
|
||||
// FIXME: this should probably log that an error occurred
|
||||
catchError(() => EMPTY),
|
||||
)
|
||||
.subscribe(constraints$);
|
||||
|
||||
const dependencies$ = new ReplaySubject<Dependencies>(1);
|
||||
if (this.context.dependencies$) {
|
||||
this.context.dependencies$.subscribe(dependencies$);
|
||||
} else {
|
||||
dependencies$.next(null);
|
||||
}
|
||||
// load state once the account becomes available
|
||||
const userState$ = account$.pipe(
|
||||
tap((account) => this.log.debug({ accountId: account.id }, "loading user state")),
|
||||
map((account) => this.providers.state.getUser(account.id, this.stateKey)),
|
||||
shareReplay({ refCount: true, bufferSize: 1 }),
|
||||
);
|
||||
|
||||
// wire output before input so that output normalizes the current state
|
||||
// before any `next` value is processed
|
||||
this.outputSubscription = this.state.state$
|
||||
.pipe(this.declassify(encryptor$), this.adjust(combineLatestWith(constraints$)))
|
||||
this.outputSubscription = userState$
|
||||
.pipe(
|
||||
switchMap((userState) => userState.state$),
|
||||
this.declassify(encryptor$),
|
||||
this.adjust(combineLatestWith(constraints$)),
|
||||
takeUntil(anyComplete(account$)),
|
||||
)
|
||||
.subscribe(this.output);
|
||||
|
||||
const last$ = new ReplaySubject<State>(1);
|
||||
@@ -168,45 +193,42 @@ export class UserStateSubject<
|
||||
//
|
||||
// FIXME: this should probably timeout when a lock occurs
|
||||
this.inputSubscription = updates$
|
||||
.pipe(this.classify(encryptor$), takeUntil(anyComplete([when$, this.input, encryptor$])))
|
||||
.pipe(
|
||||
this.classify(encryptor$),
|
||||
withLatestFrom(userState$),
|
||||
takeUntil(anyComplete([when$, this.input, encryptor$])),
|
||||
)
|
||||
.subscribe({
|
||||
next: (state) => this.onNext(state),
|
||||
next: ([input, state]) => this.onNext(input, state),
|
||||
error: (e: unknown) => this.onError(e),
|
||||
complete: () => this.onComplete(),
|
||||
});
|
||||
}
|
||||
|
||||
private stateKey: UserKeyDefinition<unknown>;
|
||||
private objectKey: ObjectKey<State, Secret, Disclosed>;
|
||||
private get contextId() {
|
||||
return `UserStateSubject(${this.stateKey.stateDefinition.name}, ${this.stateKey.key})`;
|
||||
}
|
||||
|
||||
private encryptor(
|
||||
singleUserEncryptor$: Observable<UserBound<"encryptor", UserEncryptor> | UserId>,
|
||||
): Observable<UserEncryptor> {
|
||||
return singleUserEncryptor$.pipe(
|
||||
// normalize inputs
|
||||
map((maybe): UserBound<"encryptor", UserEncryptor> => {
|
||||
if (typeof maybe === "object" && "encryptor" in maybe) {
|
||||
return maybe;
|
||||
} else if (typeof maybe === "string") {
|
||||
return { encryptor: null, userId: maybe as UserId };
|
||||
} else {
|
||||
throw new Error(`Invalid encryptor input received for ${this.key.key}.`);
|
||||
}
|
||||
}),
|
||||
// fail the stream if the state desyncs from the bound userId
|
||||
errorOnChange(
|
||||
({ userId }) => userId,
|
||||
(expectedUserId, actualUserId) => ({ expectedUserId, actualUserId }),
|
||||
),
|
||||
// reduce emissions to when encryptor changes
|
||||
private readonly log: SemanticLogger;
|
||||
|
||||
private readonly stateKey: UserKeyDefinition<unknown>;
|
||||
private readonly objectKey: ObjectKey<State, Secret, Disclosed>;
|
||||
|
||||
private encryptor(account$: Observable<Account>): Observable<UserEncryptor> {
|
||||
const singleUserId$ = account$.pipe(map((account) => account.id));
|
||||
const frameSize = this.objectKey?.frame ?? DEFAULT_FRAME_SIZE;
|
||||
const encryptor$ = this.providers.encryptor.userEncryptor$(frameSize, { singleUserId$ }).pipe(
|
||||
tap(() => this.log.debug("encryptor constructed")),
|
||||
map(({ encryptor }) => encryptor),
|
||||
distinctUntilChanged(),
|
||||
shareReplay({ refCount: true, bufferSize: 1 }),
|
||||
);
|
||||
return encryptor$;
|
||||
}
|
||||
|
||||
private when(when$: Observable<boolean>): OperatorFunction<State, State> {
|
||||
return pipe(
|
||||
combineLatestWith(when$.pipe(distinctUntilChanged())),
|
||||
tap(([_, when]) => this.log.debug({ when }, "when status")),
|
||||
filter(([_, when]) => !!when),
|
||||
map(([input]) => input),
|
||||
);
|
||||
@@ -237,6 +259,7 @@ export class UserStateSubject<
|
||||
return [next, dependencies];
|
||||
} else {
|
||||
// false update
|
||||
this.log.debug("shouldUpdate prevented write");
|
||||
return [prev, null];
|
||||
}
|
||||
}),
|
||||
@@ -258,20 +281,22 @@ export class UserStateSubject<
|
||||
// * `input` needs to wait until a message flows through the pipe
|
||||
withConstraints,
|
||||
map(([loadedState, constraints]) => {
|
||||
// bypass nulls
|
||||
if (!loadedState && !this.objectKey?.initial) {
|
||||
this.log.debug("no value; bypassing adjustment");
|
||||
return {
|
||||
constraints: {} as Constraints<State>,
|
||||
state: null,
|
||||
} satisfies Constrained<State>;
|
||||
}
|
||||
|
||||
this.log.debug("adjusting");
|
||||
const unconstrained = loadedState ?? structuredClone(this.objectKey.initial);
|
||||
const calibration = isDynamic(constraints)
|
||||
? constraints.calibrate(unconstrained)
|
||||
: constraints;
|
||||
const adjusted = calibration.adjust(unconstrained);
|
||||
|
||||
this.log.debug("adjusted");
|
||||
return {
|
||||
constraints: calibration.constraints,
|
||||
state: adjusted,
|
||||
@@ -286,11 +311,14 @@ export class UserStateSubject<
|
||||
return pipe(
|
||||
combineLatestWith(constraints$),
|
||||
map(([loadedState, constraints]) => {
|
||||
this.log.debug("fixing");
|
||||
|
||||
const calibration = isDynamic(constraints)
|
||||
? constraints.calibrate(loadedState)
|
||||
: constraints;
|
||||
const fixed = calibration.fix(loadedState);
|
||||
|
||||
this.log.debug("fixed");
|
||||
return {
|
||||
constraints: calibration.constraints,
|
||||
state: fixed,
|
||||
@@ -302,6 +330,7 @@ export class UserStateSubject<
|
||||
private declassify(encryptor$: Observable<UserEncryptor>): OperatorFunction<unknown, State> {
|
||||
// short-circuit if they key lacks encryption support
|
||||
if (!this.objectKey || this.objectKey.format === "plain") {
|
||||
this.log.debug("key uses plain format; bypassing declassification");
|
||||
return (input$) => input$ as Observable<State>;
|
||||
}
|
||||
|
||||
@@ -312,9 +341,12 @@ export class UserStateSubject<
|
||||
concatMap(async ([input, encryptor]) => {
|
||||
// pass through null values
|
||||
if (input === null || input === undefined) {
|
||||
this.log.debug("no value; bypassing declassification");
|
||||
return null;
|
||||
}
|
||||
|
||||
this.log.debug("declassifying");
|
||||
|
||||
// decrypt classified data
|
||||
const { secret, disclosed } = input;
|
||||
const encrypted = EncString.fromJSON(secret);
|
||||
@@ -324,6 +356,7 @@ export class UserStateSubject<
|
||||
const declassified = this.objectKey.classifier.declassify(disclosed, decryptedSecret);
|
||||
const state = this.objectKey.options.deserializer(declassified);
|
||||
|
||||
this.log.debug("declassified");
|
||||
return state;
|
||||
}),
|
||||
);
|
||||
@@ -338,6 +371,7 @@ export class UserStateSubject<
|
||||
if (this.objectKey && this.objectKey.format === "classified") {
|
||||
return map((input) => {
|
||||
if (!isClassifiedFormat(input)) {
|
||||
this.log.warn("classified data must be in classified format; dropping");
|
||||
return null;
|
||||
}
|
||||
|
||||
@@ -349,11 +383,13 @@ export class UserStateSubject<
|
||||
if (this.objectKey && this.objectKey.format === "secret-state") {
|
||||
return map((input) => {
|
||||
if (!Array.isArray(input)) {
|
||||
this.log.warn("secret-state requires array formatting; dropping");
|
||||
return null;
|
||||
}
|
||||
|
||||
const [unwrapped] = input;
|
||||
if (!isClassifiedFormat(unwrapped)) {
|
||||
this.log.warn("unwrapped secret-state must be in classified format; dropping");
|
||||
return null;
|
||||
}
|
||||
|
||||
@@ -361,13 +397,14 @@ export class UserStateSubject<
|
||||
});
|
||||
}
|
||||
|
||||
throw new Error(`unsupported serialization format: ${this.objectKey.format}`);
|
||||
this.log.panic({ format: this.objectKey.format }, "unsupported serialization format");
|
||||
}
|
||||
|
||||
private classify(encryptor$: Observable<UserEncryptor>): OperatorFunction<State, unknown> {
|
||||
// short-circuit if they key lacks encryption support; `encryptor` is
|
||||
// readied to preserve `dependencies.singleUserId$` emission contract
|
||||
if (!this.objectKey || this.objectKey.format === "plain") {
|
||||
this.log.debug("key uses plain format; bypassing classification");
|
||||
return pipe(
|
||||
ready(encryptor$),
|
||||
map((input) => input as unknown),
|
||||
@@ -380,9 +417,12 @@ export class UserStateSubject<
|
||||
concatMap(async ([input, encryptor]) => {
|
||||
// fail fast if there's no value
|
||||
if (input === null || input === undefined) {
|
||||
this.log.debug("no value; bypassing classification");
|
||||
return null;
|
||||
}
|
||||
|
||||
this.log.debug("classifying");
|
||||
|
||||
// split data by classification level
|
||||
const serialized = JSON.parse(JSON.stringify(input));
|
||||
const classified = this.objectKey.classifier.classify(serialized);
|
||||
@@ -398,6 +438,7 @@ export class UserStateSubject<
|
||||
disclosed: classified.disclosed,
|
||||
} satisfies ClassifiedFormat<void, Disclosed>;
|
||||
|
||||
this.log.debug("classified");
|
||||
// deliberate type erasure; the type is restored during `declassify`
|
||||
return envelope as ClassifiedFormat<unknown, unknown>;
|
||||
}),
|
||||
@@ -416,13 +457,7 @@ export class UserStateSubject<
|
||||
return map((input) => [input] as unknown);
|
||||
}
|
||||
|
||||
throw new Error(`unsupported serialization format: ${this.objectKey.format}`);
|
||||
}
|
||||
|
||||
/** The userId to which the subject is bound.
|
||||
*/
|
||||
get userId() {
|
||||
return this.state.userId;
|
||||
this.log.panic({ format: this.objectKey.format }, "unsupported serialization format");
|
||||
}
|
||||
|
||||
next(value: State) {
|
||||
@@ -449,7 +484,6 @@ export class UserStateSubject<
|
||||
// if greater efficiency becomes desirable, consider implementing
|
||||
// `SubjectLike` directly
|
||||
private input = new ReplaySubject<State>(1);
|
||||
private state: SingleUserState<unknown>;
|
||||
private readonly output = new ReplaySubject<WithConstraints<State>>(1);
|
||||
|
||||
/** A stream containing settings and their last-applied constraints. */
|
||||
@@ -462,9 +496,11 @@ export class UserStateSubject<
|
||||
|
||||
private counter = 0;
|
||||
|
||||
private onNext(value: unknown) {
|
||||
this.state
|
||||
private onNext(value: unknown, state: SingleUserState<unknown>) {
|
||||
state
|
||||
.update(() => {
|
||||
this.log.debug("updating");
|
||||
|
||||
if (typeof value === "object") {
|
||||
// related: ALWAYS_UPDATE_KLUDGE FIXME
|
||||
const counter = this.counter++;
|
||||
@@ -472,13 +508,17 @@ export class UserStateSubject<
|
||||
this.counter = 0;
|
||||
}
|
||||
|
||||
const kludge = value as any;
|
||||
const kludge = { ...value } as any;
|
||||
kludge[ALWAYS_UPDATE_KLUDGE] = counter;
|
||||
}
|
||||
|
||||
this.log.debug("updated");
|
||||
return value;
|
||||
})
|
||||
.catch((e: any) => this.onError(e));
|
||||
.catch((e: any) => {
|
||||
this.log.error(e as object, "updating failed");
|
||||
this.onError(e);
|
||||
});
|
||||
}
|
||||
|
||||
private onError(value: any) {
|
||||
@@ -503,6 +543,8 @@ export class UserStateSubject<
|
||||
|
||||
private dispose() {
|
||||
if (!this.isDisposed) {
|
||||
this.log.debug("disposing");
|
||||
|
||||
// clean up internal subscriptions
|
||||
this.inputSubscription?.unsubscribe();
|
||||
this.outputSubscription?.unsubscribe();
|
||||
@@ -511,6 +553,8 @@ export class UserStateSubject<
|
||||
|
||||
// drop input to ensure its value is removed from memory
|
||||
this.input = null;
|
||||
|
||||
this.log.debug("disposed");
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
@@ -43,6 +43,7 @@ import { FileDownloadService } from "@bitwarden/common/platform/abstractions/fil
|
||||
import { I18nService } from "@bitwarden/common/platform/abstractions/i18n.service";
|
||||
import { LogService } from "@bitwarden/common/platform/abstractions/log.service";
|
||||
import { Utils } from "@bitwarden/common/platform/misc/utils";
|
||||
import { pin } from "@bitwarden/common/tools/rx";
|
||||
import {
|
||||
AsyncActionsModule,
|
||||
BitSubmitDirective,
|
||||
@@ -220,8 +221,18 @@ export class ExportComponent implements OnInit, OnDestroy, AfterViewInit {
|
||||
const userId = await firstValueFrom(getUserId(this.accountService.activeAccount$));
|
||||
|
||||
// Wire up the password generation for the password-protected export
|
||||
const account$ = this.accountService.activeAccount$.pipe(
|
||||
pin({
|
||||
name() {
|
||||
return "active export account";
|
||||
},
|
||||
distinct(previous, current) {
|
||||
return previous.id === current.id;
|
||||
},
|
||||
}),
|
||||
);
|
||||
this.generatorService
|
||||
.generate$(Generators.password, { on$: this.onGenerate$ })
|
||||
.generate$(Generators.password, { on$: this.onGenerate$, account$ })
|
||||
.pipe(takeUntil(this.destroy$))
|
||||
.subscribe((generated) => {
|
||||
this.exportForm.patchValue({
|
||||
|
||||
@@ -1,25 +1,31 @@
|
||||
// FIXME: Update this file to be type safe and remove this and next line
|
||||
// @ts-strict-ignore
|
||||
import { Component, EventEmitter, Input, OnDestroy, OnInit, Output } from "@angular/core";
|
||||
import {
|
||||
Component,
|
||||
EventEmitter,
|
||||
Input,
|
||||
OnChanges,
|
||||
OnDestroy,
|
||||
OnInit,
|
||||
Output,
|
||||
SimpleChanges,
|
||||
} from "@angular/core";
|
||||
import { FormBuilder } from "@angular/forms";
|
||||
import { BehaviorSubject, map, skip, Subject, takeUntil, withLatestFrom } from "rxjs";
|
||||
import { map, ReplaySubject, skip, Subject, takeUntil, withLatestFrom } from "rxjs";
|
||||
|
||||
import { AccountService } from "@bitwarden/common/auth/abstractions/account.service";
|
||||
import { UserId } from "@bitwarden/common/types/guid";
|
||||
import { Account } from "@bitwarden/common/auth/abstractions/account.service";
|
||||
import {
|
||||
CatchallGenerationOptions,
|
||||
CredentialGeneratorService,
|
||||
Generators,
|
||||
} from "@bitwarden/generator-core";
|
||||
|
||||
import { completeOnAccountSwitch } from "./util";
|
||||
|
||||
/** Options group for catchall emails */
|
||||
@Component({
|
||||
selector: "tools-catchall-settings",
|
||||
templateUrl: "catchall-settings.component.html",
|
||||
})
|
||||
export class CatchallSettingsComponent implements OnInit, OnDestroy {
|
||||
export class CatchallSettingsComponent implements OnInit, OnDestroy, OnChanges {
|
||||
/** Instantiates the component
|
||||
* @param accountService queries user availability
|
||||
* @param generatorService settings and policy logic
|
||||
@@ -28,15 +34,14 @@ export class CatchallSettingsComponent implements OnInit, OnDestroy {
|
||||
constructor(
|
||||
private formBuilder: FormBuilder,
|
||||
private generatorService: CredentialGeneratorService,
|
||||
private accountService: AccountService,
|
||||
) {}
|
||||
|
||||
/** Binds the component to a specific user's settings.
|
||||
* When this input is not provided, the form binds to the active
|
||||
* user
|
||||
*/
|
||||
@Input()
|
||||
userId: UserId | null;
|
||||
@Input({ required: true })
|
||||
account: Account;
|
||||
|
||||
private account$ = new ReplaySubject<Account>(1);
|
||||
|
||||
/** Emits settings updates and completes if the settings become unavailable.
|
||||
* @remarks this does not emit the initial settings. If you would like
|
||||
@@ -51,9 +56,16 @@ export class CatchallSettingsComponent implements OnInit, OnDestroy {
|
||||
catchallDomain: [Generators.catchall.settings.initial.catchallDomain],
|
||||
});
|
||||
|
||||
async ngOnChanges(changes: SimpleChanges) {
|
||||
if ("account" in changes && changes.account) {
|
||||
this.account$.next(this.account);
|
||||
}
|
||||
}
|
||||
|
||||
async ngOnInit() {
|
||||
const singleUserId$ = this.singleUserId$();
|
||||
const settings = await this.generatorService.settings(Generators.catchall, { singleUserId$ });
|
||||
const settings = await this.generatorService.settings(Generators.catchall, {
|
||||
account$: this.account$,
|
||||
});
|
||||
|
||||
settings.pipe(takeUntil(this.destroyed$)).subscribe((s) => {
|
||||
this.settings.patchValue(s, { emitEvent: false });
|
||||
@@ -77,21 +89,9 @@ export class CatchallSettingsComponent implements OnInit, OnDestroy {
|
||||
this.saveSettings.next(site);
|
||||
}
|
||||
|
||||
private singleUserId$() {
|
||||
// FIXME: this branch should probably scan for the user and make sure
|
||||
// the account is unlocked
|
||||
if (this.userId) {
|
||||
return new BehaviorSubject(this.userId as UserId).asObservable();
|
||||
}
|
||||
|
||||
return this.accountService.activeAccount$.pipe(
|
||||
completeOnAccountSwitch(),
|
||||
takeUntil(this.destroyed$),
|
||||
);
|
||||
}
|
||||
|
||||
private readonly destroyed$ = new Subject<void>();
|
||||
ngOnDestroy(): void {
|
||||
this.account$.complete();
|
||||
this.destroyed$.next();
|
||||
this.destroyed$.complete();
|
||||
}
|
||||
|
||||
@@ -2,7 +2,7 @@
|
||||
<span bitDialogTitle>{{ "generatorHistory" | i18n }}</span>
|
||||
<ng-container bitDialogContent>
|
||||
<bit-empty-credential-history *ngIf="!(hasHistory$ | async)" style="display: contents" />
|
||||
<bit-credential-generator-history *ngIf="hasHistory$ | async" />
|
||||
<bit-credential-generator-history [account]="account$ | async" *ngIf="hasHistory$ | async" />
|
||||
</ng-container>
|
||||
<ng-container bitDialogFooter>
|
||||
<button
|
||||
|
||||
@@ -1,12 +1,25 @@
|
||||
// FIXME: Update this file to be type safe and remove this and next line
|
||||
// @ts-strict-ignore
|
||||
import { CommonModule } from "@angular/common";
|
||||
import { Component } from "@angular/core";
|
||||
import { takeUntilDestroyed } from "@angular/core/rxjs-interop";
|
||||
import { BehaviorSubject, distinctUntilChanged, firstValueFrom, map, switchMap } from "rxjs";
|
||||
import { Component, Input, OnChanges, SimpleChanges, OnInit, OnDestroy } from "@angular/core";
|
||||
import {
|
||||
BehaviorSubject,
|
||||
ReplaySubject,
|
||||
Subject,
|
||||
firstValueFrom,
|
||||
map,
|
||||
switchMap,
|
||||
takeUntil,
|
||||
} from "rxjs";
|
||||
|
||||
import { JslibModule } from "@bitwarden/angular/jslib.module";
|
||||
import { AccountService } from "@bitwarden/common/auth/abstractions/account.service";
|
||||
import { Account, AccountService } from "@bitwarden/common/auth/abstractions/account.service";
|
||||
import { LogService } from "@bitwarden/common/platform/abstractions/log.service";
|
||||
import {
|
||||
SemanticLogger,
|
||||
disabledSemanticLoggerProvider,
|
||||
ifEnabledSemanticLoggerProvider,
|
||||
} from "@bitwarden/common/tools/log";
|
||||
import { UserId } from "@bitwarden/common/types/guid";
|
||||
import { ButtonModule, DialogModule, DialogService } from "@bitwarden/components";
|
||||
import { GeneratorHistoryService } from "@bitwarden/generator-history";
|
||||
@@ -26,28 +39,66 @@ import { EmptyCredentialHistoryComponent } from "./empty-credential-history.comp
|
||||
EmptyCredentialHistoryComponent,
|
||||
],
|
||||
})
|
||||
export class CredentialGeneratorHistoryDialogComponent {
|
||||
export class CredentialGeneratorHistoryDialogComponent implements OnChanges, OnInit, OnDestroy {
|
||||
private readonly destroyed = new Subject<void>();
|
||||
protected readonly hasHistory$ = new BehaviorSubject<boolean>(false);
|
||||
protected readonly userId$ = new BehaviorSubject<UserId>(null);
|
||||
|
||||
constructor(
|
||||
private accountService: AccountService,
|
||||
private history: GeneratorHistoryService,
|
||||
private dialogService: DialogService,
|
||||
) {
|
||||
this.accountService.activeAccount$
|
||||
.pipe(
|
||||
takeUntilDestroyed(),
|
||||
map(({ id }) => id),
|
||||
distinctUntilChanged(),
|
||||
)
|
||||
.subscribe(this.userId$);
|
||||
private logService: LogService,
|
||||
) {}
|
||||
|
||||
this.userId$
|
||||
@Input()
|
||||
account: Account | null;
|
||||
|
||||
protected account$ = new ReplaySubject<Account>(1);
|
||||
|
||||
/** Send structured debug logs from the credential generator component
|
||||
* to the debugger console.
|
||||
*
|
||||
* @warning this may reveal sensitive information in plaintext.
|
||||
*/
|
||||
@Input()
|
||||
debug: boolean = false;
|
||||
|
||||
// this `log` initializer is overridden in `ngOnInit`
|
||||
private log: SemanticLogger = disabledSemanticLoggerProvider({});
|
||||
|
||||
ngOnChanges(changes: SimpleChanges) {
|
||||
const account = changes?.account;
|
||||
if (account?.previousValue?.id !== account?.currentValue?.id) {
|
||||
this.log.debug(
|
||||
{
|
||||
previousUserId: account?.previousValue?.id as UserId,
|
||||
currentUserId: account?.currentValue?.id as UserId,
|
||||
},
|
||||
"account input change detected",
|
||||
);
|
||||
this.account$.next(account.currentValue ?? this.account);
|
||||
}
|
||||
}
|
||||
|
||||
async ngOnInit() {
|
||||
this.log = ifEnabledSemanticLoggerProvider(this.debug, this.logService, {
|
||||
type: "CredentialGeneratorComponent",
|
||||
});
|
||||
|
||||
if (!this.account) {
|
||||
this.account = await firstValueFrom(this.accountService.activeAccount$);
|
||||
this.log.info(
|
||||
{ userId: this.account.id },
|
||||
"account not specified; using active account settings",
|
||||
);
|
||||
this.account$.next(this.account);
|
||||
}
|
||||
|
||||
this.account$
|
||||
.pipe(
|
||||
takeUntilDestroyed(),
|
||||
switchMap((id) => id && this.history.credentials$(id)),
|
||||
switchMap((account) => account.id && this.history.credentials$(account.id)),
|
||||
map((credentials) => credentials.length > 0),
|
||||
takeUntil(this.destroyed),
|
||||
)
|
||||
.subscribe(this.hasHistory$);
|
||||
}
|
||||
@@ -63,7 +114,14 @@ export class CredentialGeneratorHistoryDialogComponent {
|
||||
});
|
||||
|
||||
if (confirmed) {
|
||||
await this.history.clear(await firstValueFrom(this.userId$));
|
||||
await this.history.clear((await firstValueFrom(this.account$)).id);
|
||||
}
|
||||
}
|
||||
|
||||
ngOnDestroy() {
|
||||
this.destroyed.next();
|
||||
this.destroyed.complete();
|
||||
|
||||
this.log.debug("component destroyed");
|
||||
}
|
||||
}
|
||||
|
||||
@@ -1,21 +1,23 @@
|
||||
// FIXME: Update this file to be type safe and remove this and next line
|
||||
// @ts-strict-ignore
|
||||
import { CommonModule } from "@angular/common";
|
||||
import { Component } from "@angular/core";
|
||||
import { takeUntilDestroyed } from "@angular/core/rxjs-interop";
|
||||
import { RouterLink } from "@angular/router";
|
||||
import { BehaviorSubject, distinctUntilChanged, map, switchMap } from "rxjs";
|
||||
import { Component, Input, OnChanges, SimpleChanges, OnInit, OnDestroy } from "@angular/core";
|
||||
import { BehaviorSubject, ReplaySubject, Subject, map, switchMap, takeUntil, tap } from "rxjs";
|
||||
|
||||
import { JslibModule } from "@bitwarden/angular/jslib.module";
|
||||
import { AccountService } from "@bitwarden/common/auth/abstractions/account.service";
|
||||
import { Account } from "@bitwarden/common/auth/abstractions/account.service";
|
||||
import { LogService } from "@bitwarden/common/platform/abstractions/log.service";
|
||||
import {
|
||||
SemanticLogger,
|
||||
disabledSemanticLoggerProvider,
|
||||
ifEnabledSemanticLoggerProvider,
|
||||
} from "@bitwarden/common/tools/log";
|
||||
import { UserId } from "@bitwarden/common/types/guid";
|
||||
import {
|
||||
ColorPasswordModule,
|
||||
IconButtonModule,
|
||||
ItemModule,
|
||||
NoItemsModule,
|
||||
SectionComponent,
|
||||
SectionHeaderComponent,
|
||||
} from "@bitwarden/components";
|
||||
import { CredentialGeneratorService } from "@bitwarden/generator-core";
|
||||
import { GeneratedCredential, GeneratorHistoryService } from "@bitwarden/generator-history";
|
||||
@@ -32,35 +34,61 @@ import { GeneratorModule } from "./generator.module";
|
||||
IconButtonModule,
|
||||
NoItemsModule,
|
||||
JslibModule,
|
||||
RouterLink,
|
||||
ItemModule,
|
||||
SectionComponent,
|
||||
SectionHeaderComponent,
|
||||
GeneratorModule,
|
||||
],
|
||||
})
|
||||
export class CredentialGeneratorHistoryComponent {
|
||||
protected readonly userId$ = new BehaviorSubject<UserId>(null);
|
||||
export class CredentialGeneratorHistoryComponent implements OnChanges, OnInit, OnDestroy {
|
||||
private readonly destroyed = new Subject<void>();
|
||||
protected readonly credentials$ = new BehaviorSubject<GeneratedCredential[]>([]);
|
||||
|
||||
constructor(
|
||||
private accountService: AccountService,
|
||||
private generatorService: CredentialGeneratorService,
|
||||
private history: GeneratorHistoryService,
|
||||
) {
|
||||
this.accountService.activeAccount$
|
||||
.pipe(
|
||||
takeUntilDestroyed(),
|
||||
map(({ id }) => id),
|
||||
distinctUntilChanged(),
|
||||
)
|
||||
.subscribe(this.userId$);
|
||||
private logService: LogService,
|
||||
) {}
|
||||
|
||||
this.userId$
|
||||
@Input({ required: true })
|
||||
account: Account;
|
||||
|
||||
protected account$ = new ReplaySubject<Account>(1);
|
||||
|
||||
/** Send structured debug logs from the credential generator component
|
||||
* to the debugger console.
|
||||
*
|
||||
* @warning this may reveal sensitive information in plaintext.
|
||||
*/
|
||||
@Input()
|
||||
debug: boolean = false;
|
||||
|
||||
// this `log` initializer is overridden in `ngOnInit`
|
||||
private log: SemanticLogger = disabledSemanticLoggerProvider({});
|
||||
|
||||
async ngOnChanges(changes: SimpleChanges) {
|
||||
const account = changes?.account;
|
||||
if (account?.previousValue?.id !== account?.currentValue?.id) {
|
||||
this.log.debug(
|
||||
{
|
||||
previousUserId: account?.previousValue?.id as UserId,
|
||||
currentUserId: account?.currentValue?.id as UserId,
|
||||
},
|
||||
"account input change detected",
|
||||
);
|
||||
this.account$.next(account.currentValue ?? this.account);
|
||||
}
|
||||
}
|
||||
|
||||
ngOnInit() {
|
||||
this.log = ifEnabledSemanticLoggerProvider(this.debug, this.logService, {
|
||||
type: "CredentialGeneratorComponent",
|
||||
});
|
||||
|
||||
this.account$
|
||||
.pipe(
|
||||
takeUntilDestroyed(),
|
||||
switchMap((id) => id && this.history.credentials$(id)),
|
||||
tap((account) => this.log.info({ accountId: account.id }, "loading credential history")),
|
||||
switchMap((account) => this.history.credentials$(account.id)),
|
||||
map((credentials) => credentials.filter((c) => (c.credential ?? "") !== "")),
|
||||
takeUntil(this.destroyed),
|
||||
)
|
||||
.subscribe(this.credentials$);
|
||||
}
|
||||
@@ -74,4 +102,11 @@ export class CredentialGeneratorHistoryComponent {
|
||||
const info = this.generatorService.algorithm(credential.category);
|
||||
return info.credentialType;
|
||||
}
|
||||
|
||||
ngOnDestroy() {
|
||||
this.destroyed.next();
|
||||
this.destroyed.complete();
|
||||
|
||||
this.log.debug("component destroyed");
|
||||
}
|
||||
}
|
||||
|
||||
@@ -41,13 +41,13 @@
|
||||
<tools-password-settings
|
||||
class="tw-mt-6"
|
||||
*ngIf="(showAlgorithm$ | async)?.id === 'password'"
|
||||
[userId]="userId$ | async"
|
||||
[account]="account$ | async"
|
||||
(onUpdated)="generate('password settings')"
|
||||
/>
|
||||
<tools-passphrase-settings
|
||||
class="tw-mt-6"
|
||||
*ngIf="(showAlgorithm$ | async)?.id === 'passphrase'"
|
||||
[userId]="userId$ | async"
|
||||
[account]="account$ | async"
|
||||
(onUpdated)="generate('passphrase settings')"
|
||||
/>
|
||||
<bit-section *ngIf="(category$ | async) !== 'password'">
|
||||
@@ -83,22 +83,22 @@
|
||||
</form>
|
||||
<tools-catchall-settings
|
||||
*ngIf="(showAlgorithm$ | async)?.id === 'catchall'"
|
||||
[userId]="userId$ | async"
|
||||
[account]="account$ | async"
|
||||
(onUpdated)="generate('catchall settings')"
|
||||
/>
|
||||
<tools-forwarder-settings
|
||||
*ngIf="!!(forwarderId$ | async)"
|
||||
[account]="account$ | async"
|
||||
[forwarder]="forwarderId$ | async"
|
||||
[userId]="this.userId$ | async"
|
||||
/>
|
||||
<tools-subaddress-settings
|
||||
*ngIf="(showAlgorithm$ | async)?.id === 'subaddress'"
|
||||
[userId]="userId$ | async"
|
||||
[account]="account$ | async"
|
||||
(onUpdated)="generate('subaddress settings')"
|
||||
/>
|
||||
<tools-username-settings
|
||||
*ngIf="(showAlgorithm$ | async)?.id === 'username'"
|
||||
[userId]="userId$ | async"
|
||||
[account]="account$ | async"
|
||||
(onUpdated)="generate('username settings')"
|
||||
/>
|
||||
</bit-card>
|
||||
|
||||
@@ -1,7 +1,17 @@
|
||||
// FIXME: Update this file to be type safe and remove this and next line
|
||||
// @ts-strict-ignore
|
||||
import { LiveAnnouncer } from "@angular/cdk/a11y";
|
||||
import { Component, EventEmitter, Input, NgZone, OnDestroy, OnInit, Output } from "@angular/core";
|
||||
import {
|
||||
Component,
|
||||
EventEmitter,
|
||||
Input,
|
||||
NgZone,
|
||||
OnChanges,
|
||||
OnDestroy,
|
||||
OnInit,
|
||||
Output,
|
||||
SimpleChanges,
|
||||
} from "@angular/core";
|
||||
import { FormBuilder } from "@angular/forms";
|
||||
import {
|
||||
BehaviorSubject,
|
||||
@@ -10,6 +20,7 @@ import {
|
||||
combineLatestWith,
|
||||
distinctUntilChanged,
|
||||
filter,
|
||||
firstValueFrom,
|
||||
map,
|
||||
ReplaySubject,
|
||||
Subject,
|
||||
@@ -18,10 +29,15 @@ import {
|
||||
withLatestFrom,
|
||||
} from "rxjs";
|
||||
|
||||
import { AccountService } from "@bitwarden/common/auth/abstractions/account.service";
|
||||
import { Account, AccountService } from "@bitwarden/common/auth/abstractions/account.service";
|
||||
import { I18nService } from "@bitwarden/common/platform/abstractions/i18n.service";
|
||||
import { LogService } from "@bitwarden/common/platform/abstractions/log.service";
|
||||
import { IntegrationId } from "@bitwarden/common/tools/integration";
|
||||
import {
|
||||
SemanticLogger,
|
||||
disabledSemanticLoggerProvider,
|
||||
ifEnabledSemanticLoggerProvider,
|
||||
} from "@bitwarden/common/tools/log";
|
||||
import { UserId } from "@bitwarden/common/types/guid";
|
||||
import { ToastService, Option } from "@bitwarden/components";
|
||||
import {
|
||||
@@ -52,7 +68,9 @@ const NONE_SELECTED = "none";
|
||||
selector: "tools-credential-generator",
|
||||
templateUrl: "credential-generator.component.html",
|
||||
})
|
||||
export class CredentialGeneratorComponent implements OnInit, OnDestroy {
|
||||
export class CredentialGeneratorComponent implements OnInit, OnChanges, OnDestroy {
|
||||
private readonly destroyed = new Subject<void>();
|
||||
|
||||
constructor(
|
||||
private generatorService: CredentialGeneratorService,
|
||||
private generatorHistoryService: GeneratorHistoryService,
|
||||
@@ -69,7 +87,34 @@ export class CredentialGeneratorComponent implements OnInit, OnDestroy {
|
||||
* the form binds to the active user
|
||||
*/
|
||||
@Input()
|
||||
userId: UserId | null;
|
||||
account: Account | null;
|
||||
|
||||
/** Send structured debug logs from the credential generator component
|
||||
* to the debugger console.
|
||||
*
|
||||
* @warning this may reveal sensitive information in plaintext.
|
||||
*/
|
||||
@Input()
|
||||
debug: boolean = false;
|
||||
|
||||
// this `log` initializer is overridden in `ngOnInit`
|
||||
private log: SemanticLogger = disabledSemanticLoggerProvider({});
|
||||
|
||||
protected account$ = new ReplaySubject<Account>(1);
|
||||
|
||||
async ngOnChanges(changes: SimpleChanges) {
|
||||
const account = changes?.account;
|
||||
if (account?.previousValue?.id !== account?.currentValue?.id) {
|
||||
this.log.debug(
|
||||
{
|
||||
previousUserId: account?.previousValue?.id as UserId,
|
||||
currentUserId: account?.currentValue?.id as UserId,
|
||||
},
|
||||
"account input change detected",
|
||||
);
|
||||
this.account$.next(account.currentValue ?? this.account);
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* The website associated with the credential generation request.
|
||||
@@ -103,20 +148,21 @@ export class CredentialGeneratorComponent implements OnInit, OnDestroy {
|
||||
});
|
||||
|
||||
async ngOnInit() {
|
||||
if (this.userId) {
|
||||
this.userId$.next(this.userId);
|
||||
} else {
|
||||
this.accountService.activeAccount$
|
||||
.pipe(
|
||||
map((acct) => acct.id),
|
||||
distinctUntilChanged(),
|
||||
takeUntil(this.destroyed),
|
||||
)
|
||||
.subscribe(this.userId$);
|
||||
this.log = ifEnabledSemanticLoggerProvider(this.debug, this.logService, {
|
||||
type: "CredentialGeneratorComponent",
|
||||
});
|
||||
|
||||
if (!this.account) {
|
||||
this.account = await firstValueFrom(this.accountService.activeAccount$);
|
||||
this.log.info(
|
||||
{ userId: this.account.id },
|
||||
"account not specified; using active account settings",
|
||||
);
|
||||
this.account$.next(this.account);
|
||||
}
|
||||
|
||||
this.generatorService
|
||||
.algorithms$(["email", "username"], { userId$: this.userId$ })
|
||||
.algorithms$(["email", "username"], { account$: this.account$ })
|
||||
.pipe(
|
||||
map((algorithms) => {
|
||||
const usernames = algorithms.filter((a) => !isForwarderIntegration(a.id));
|
||||
@@ -137,7 +183,7 @@ export class CredentialGeneratorComponent implements OnInit, OnDestroy {
|
||||
});
|
||||
|
||||
this.generatorService
|
||||
.algorithms$("password", { userId$: this.userId$ })
|
||||
.algorithms$("password", { account$: this.account$ })
|
||||
.pipe(
|
||||
map((algorithms) => {
|
||||
const options = this.toOptions(algorithms);
|
||||
@@ -194,12 +240,14 @@ export class CredentialGeneratorComponent implements OnInit, OnDestroy {
|
||||
// continue with origin stream
|
||||
return generator;
|
||||
}),
|
||||
withLatestFrom(this.userId$, this.algorithm$),
|
||||
withLatestFrom(this.account$, this.algorithm$),
|
||||
takeUntil(this.destroyed),
|
||||
)
|
||||
.subscribe(([generated, userId, algorithm]) => {
|
||||
.subscribe(([generated, account, algorithm]) => {
|
||||
this.log.debug({ source: generated.source }, "credential generated");
|
||||
|
||||
this.generatorHistoryService
|
||||
.track(userId, generated.credential, generated.category, generated.generationDate)
|
||||
.track(account.id, generated.credential, generated.category, generated.generationDate)
|
||||
.catch((e: unknown) => {
|
||||
this.logService.error(e);
|
||||
});
|
||||
@@ -274,6 +322,8 @@ export class CredentialGeneratorComponent implements OnInit, OnDestroy {
|
||||
takeUntil(this.destroyed),
|
||||
)
|
||||
.subscribe(([showForwarder, forwarderId]) => {
|
||||
this.log.debug({ forwarderId, showForwarder }, "forwarder visibility updated");
|
||||
|
||||
// update subjects within the angular zone so that the
|
||||
// template bindings refresh immediately
|
||||
this.zone.run(() => {
|
||||
@@ -297,6 +347,8 @@ export class CredentialGeneratorComponent implements OnInit, OnDestroy {
|
||||
takeUntil(this.destroyed),
|
||||
)
|
||||
.subscribe((algorithm) => {
|
||||
this.log.debug(algorithm, "algorithm selected");
|
||||
|
||||
// update subjects within the angular zone so that the
|
||||
// template bindings refresh immediately
|
||||
this.zone.run(() => {
|
||||
@@ -305,7 +357,7 @@ export class CredentialGeneratorComponent implements OnInit, OnDestroy {
|
||||
});
|
||||
|
||||
// assume the last-selected generator algorithm is the user's preferred one
|
||||
const preferences = await this.generatorService.preferences({ singleUserId$: this.userId$ });
|
||||
const preferences = await this.generatorService.preferences({ account$: this.account$ });
|
||||
this.algorithm$
|
||||
.pipe(
|
||||
filter((algorithm) => !!algorithm),
|
||||
@@ -313,19 +365,21 @@ export class CredentialGeneratorComponent implements OnInit, OnDestroy {
|
||||
takeUntil(this.destroyed),
|
||||
)
|
||||
.subscribe(([algorithm, preference]) => {
|
||||
function setPreference(category: CredentialCategory) {
|
||||
function setPreference(category: CredentialCategory, log: SemanticLogger) {
|
||||
const p = preference[category];
|
||||
p.algorithm = algorithm.id;
|
||||
p.updated = new Date();
|
||||
|
||||
log.info({ algorithm, category }, "algorithm preferences updated");
|
||||
}
|
||||
|
||||
// `is*Algorithm` decides `algorithm`'s type, which flows into `setPreference`
|
||||
if (isEmailAlgorithm(algorithm.id)) {
|
||||
setPreference("email");
|
||||
setPreference("email", this.log);
|
||||
} else if (isUsernameAlgorithm(algorithm.id)) {
|
||||
setPreference("username");
|
||||
setPreference("username", this.log);
|
||||
} else if (isPasswordAlgorithm(algorithm.id)) {
|
||||
setPreference("password");
|
||||
setPreference("password", this.log);
|
||||
} else {
|
||||
return;
|
||||
}
|
||||
@@ -396,25 +450,33 @@ export class CredentialGeneratorComponent implements OnInit, OnDestroy {
|
||||
this.algorithm$.pipe(takeUntil(this.destroyed)).subscribe((a) => {
|
||||
this.zone.run(() => {
|
||||
if (!a || a.onlyOnRequest) {
|
||||
this.log.debug("autogeneration disabled; clearing generated credential");
|
||||
this.generatedCredential$.next(null);
|
||||
} else {
|
||||
this.generate("autogenerate").catch((e: unknown) => this.logService.error(e));
|
||||
this.log.debug("autogeneration enabled");
|
||||
this.generate("autogenerate").catch((e: unknown) => {
|
||||
this.log.error(e as object, "a failure occurred during autogeneration");
|
||||
});
|
||||
}
|
||||
});
|
||||
});
|
||||
|
||||
this.log.debug("component initialized");
|
||||
}
|
||||
|
||||
private announce(message: string) {
|
||||
this.ariaLive.announce(message).catch((e) => this.logService.error(e));
|
||||
}
|
||||
|
||||
private typeToGenerator$(type: CredentialAlgorithm) {
|
||||
private typeToGenerator$(algorithm: CredentialAlgorithm) {
|
||||
const dependencies = {
|
||||
on$: this.generate$,
|
||||
userId$: this.userId$,
|
||||
account$: this.account$,
|
||||
};
|
||||
|
||||
switch (type) {
|
||||
this.log.debug({ algorithm }, "constructing generation stream");
|
||||
|
||||
switch (algorithm) {
|
||||
case "catchall":
|
||||
return this.generatorService.generate$(Generators.catchall, dependencies);
|
||||
|
||||
@@ -431,14 +493,14 @@ export class CredentialGeneratorComponent implements OnInit, OnDestroy {
|
||||
return this.generatorService.generate$(Generators.passphrase, dependencies);
|
||||
}
|
||||
|
||||
if (isForwarderIntegration(type)) {
|
||||
const forwarder = getForwarderConfiguration(type.forwarder);
|
||||
if (isForwarderIntegration(algorithm)) {
|
||||
const forwarder = getForwarderConfiguration(algorithm.forwarder);
|
||||
const configuration = toCredentialGeneratorConfiguration(forwarder);
|
||||
const generator = this.generatorService.generate$(configuration, dependencies);
|
||||
return generator;
|
||||
}
|
||||
|
||||
throw new Error(`Invalid generator type: "${type}"`);
|
||||
this.log.panic({ algorithm }, `Invalid generator type: "${algorithm}"`);
|
||||
}
|
||||
|
||||
/** Lists the top-level credential types supported by the component.
|
||||
@@ -506,9 +568,6 @@ export class CredentialGeneratorComponent implements OnInit, OnDestroy {
|
||||
map((generated) => generated?.credential ?? "-"),
|
||||
);
|
||||
|
||||
/** Emits when the userId changes */
|
||||
protected readonly userId$ = new BehaviorSubject<UserId>(null);
|
||||
|
||||
/** Identifies generator requests that were requested by the user */
|
||||
protected readonly USER_REQUEST = "user request";
|
||||
|
||||
@@ -516,11 +575,13 @@ export class CredentialGeneratorComponent implements OnInit, OnDestroy {
|
||||
private readonly generate$ = new Subject<GenerateRequest>();
|
||||
|
||||
/** Request a new value from the generator
|
||||
* @param requestor a label used to trace generation request
|
||||
* @param source a label used to trace generation request
|
||||
* origin in the debugger.
|
||||
*/
|
||||
protected async generate(requestor: string) {
|
||||
this.generate$.next({ source: requestor, website: this.website });
|
||||
protected async generate(source: string) {
|
||||
const request = { source, website: this.website };
|
||||
this.log.debug(request, "generation requested");
|
||||
this.generate$.next(request);
|
||||
}
|
||||
|
||||
private toOptions(algorithms: AlgorithmInfo[]) {
|
||||
@@ -532,7 +593,6 @@ export class CredentialGeneratorComponent implements OnInit, OnDestroy {
|
||||
return options;
|
||||
}
|
||||
|
||||
private readonly destroyed = new Subject<void>();
|
||||
ngOnDestroy() {
|
||||
this.destroyed.next();
|
||||
this.destroyed.complete();
|
||||
@@ -543,5 +603,7 @@ export class CredentialGeneratorComponent implements OnInit, OnDestroy {
|
||||
|
||||
// finalize component bindings
|
||||
this.onGenerated.complete();
|
||||
|
||||
this.log.debug("component destroyed");
|
||||
}
|
||||
}
|
||||
|
||||
@@ -11,21 +11,10 @@ import {
|
||||
SimpleChanges,
|
||||
} from "@angular/core";
|
||||
import { FormBuilder } from "@angular/forms";
|
||||
import {
|
||||
BehaviorSubject,
|
||||
concatMap,
|
||||
map,
|
||||
ReplaySubject,
|
||||
skip,
|
||||
Subject,
|
||||
switchAll,
|
||||
takeUntil,
|
||||
withLatestFrom,
|
||||
} from "rxjs";
|
||||
import { map, ReplaySubject, skip, Subject, switchAll, takeUntil, withLatestFrom } from "rxjs";
|
||||
|
||||
import { AccountService } from "@bitwarden/common/auth/abstractions/account.service";
|
||||
import { Account } from "@bitwarden/common/auth/abstractions/account.service";
|
||||
import { IntegrationId } from "@bitwarden/common/tools/integration";
|
||||
import { UserId } from "@bitwarden/common/types/guid";
|
||||
import {
|
||||
CredentialGeneratorConfiguration,
|
||||
CredentialGeneratorService,
|
||||
@@ -34,8 +23,6 @@ import {
|
||||
toCredentialGeneratorConfiguration,
|
||||
} from "@bitwarden/generator-core";
|
||||
|
||||
import { completeOnAccountSwitch } from "./util";
|
||||
|
||||
const Controls = Object.freeze({
|
||||
domain: "domain",
|
||||
token: "token",
|
||||
@@ -56,15 +43,14 @@ export class ForwarderSettingsComponent implements OnInit, OnChanges, OnDestroy
|
||||
constructor(
|
||||
private formBuilder: FormBuilder,
|
||||
private generatorService: CredentialGeneratorService,
|
||||
private accountService: AccountService,
|
||||
) {}
|
||||
|
||||
/** Binds the component to a specific user's settings.
|
||||
* When this input is not provided, the form binds to the active
|
||||
* user
|
||||
*/
|
||||
@Input()
|
||||
userId: UserId | null;
|
||||
@Input({ required: true })
|
||||
account: Account;
|
||||
|
||||
protected account$ = new ReplaySubject<Account>(1);
|
||||
|
||||
@Input({ required: true })
|
||||
forwarder: IntegrationId;
|
||||
@@ -87,8 +73,6 @@ export class ForwarderSettingsComponent implements OnInit, OnChanges, OnDestroy
|
||||
private forwarderId$ = new ReplaySubject<IntegrationId>(1);
|
||||
|
||||
async ngOnInit() {
|
||||
const singleUserId$ = this.singleUserId$();
|
||||
|
||||
const forwarder$ = new ReplaySubject<CredentialGeneratorConfiguration<any, NoPolicy>>(1);
|
||||
this.forwarderId$
|
||||
.pipe(
|
||||
@@ -108,12 +92,12 @@ export class ForwarderSettingsComponent implements OnInit, OnChanges, OnDestroy
|
||||
forwarder$.next(forwarder);
|
||||
});
|
||||
|
||||
const settings$$ = forwarder$.pipe(
|
||||
concatMap((forwarder) => this.generatorService.settings(forwarder, { singleUserId$ })),
|
||||
const settings$ = forwarder$.pipe(
|
||||
map((forwarder) => this.generatorService.settings(forwarder, { account$: this.account$ })),
|
||||
);
|
||||
|
||||
// bind settings to the reactive form
|
||||
settings$$.pipe(switchAll(), takeUntil(this.destroyed$)).subscribe((settings) => {
|
||||
settings$.pipe(switchAll(), takeUntil(this.destroyed$)).subscribe((settings) => {
|
||||
// skips reactive event emissions to break a subscription cycle
|
||||
this.settings.patchValue(settings as any, { emitEvent: false });
|
||||
});
|
||||
@@ -131,7 +115,7 @@ export class ForwarderSettingsComponent implements OnInit, OnChanges, OnDestroy
|
||||
});
|
||||
|
||||
// the first emission is the current value; subsequent emissions are updates
|
||||
settings$$
|
||||
settings$
|
||||
.pipe(
|
||||
map((settings$) => settings$.pipe(skip(1))),
|
||||
switchAll(),
|
||||
@@ -141,7 +125,7 @@ export class ForwarderSettingsComponent implements OnInit, OnChanges, OnDestroy
|
||||
|
||||
// now that outputs are set up, connect inputs
|
||||
this.saveSettings
|
||||
.pipe(withLatestFrom(this.settings.valueChanges, settings$$), takeUntil(this.destroyed$))
|
||||
.pipe(withLatestFrom(this.settings.valueChanges, settings$), takeUntil(this.destroyed$))
|
||||
.subscribe(([, value, settings]) => {
|
||||
settings.next(value);
|
||||
});
|
||||
@@ -152,30 +136,21 @@ export class ForwarderSettingsComponent implements OnInit, OnChanges, OnDestroy
|
||||
this.saveSettings.next(site);
|
||||
}
|
||||
|
||||
ngOnChanges(changes: SimpleChanges): void {
|
||||
async ngOnChanges(changes: SimpleChanges) {
|
||||
this.refresh$.complete();
|
||||
if ("forwarder" in changes) {
|
||||
this.forwarderId$.next(this.forwarder);
|
||||
}
|
||||
|
||||
if ("account" in changes) {
|
||||
this.account$.next(this.account);
|
||||
}
|
||||
}
|
||||
|
||||
protected displayDomain: boolean;
|
||||
protected displayToken: boolean;
|
||||
protected displayBaseUrl: boolean;
|
||||
|
||||
private singleUserId$() {
|
||||
// FIXME: this branch should probably scan for the user and make sure
|
||||
// the account is unlocked
|
||||
if (this.userId) {
|
||||
return new BehaviorSubject(this.userId as UserId).asObservable();
|
||||
}
|
||||
|
||||
return this.accountService.activeAccount$.pipe(
|
||||
completeOnAccountSwitch(),
|
||||
takeUntil(this.destroyed$),
|
||||
);
|
||||
}
|
||||
|
||||
private readonly refresh$ = new Subject<void>();
|
||||
|
||||
private readonly destroyed$ = new Subject<void>();
|
||||
|
||||
@@ -5,12 +5,13 @@ import { safeProvider } from "@bitwarden/angular/platform/utils/safe-provider";
|
||||
import { SafeInjectionToken } from "@bitwarden/angular/services/injection-tokens";
|
||||
import { ApiService } from "@bitwarden/common/abstractions/api.service";
|
||||
import { PolicyService } from "@bitwarden/common/admin-console/abstractions/policy/policy.service.abstraction";
|
||||
import { AccountService } from "@bitwarden/common/auth/abstractions/account.service";
|
||||
import { EncryptService } from "@bitwarden/common/key-management/crypto/abstractions/encrypt.service";
|
||||
import { I18nService } from "@bitwarden/common/platform/abstractions/i18n.service";
|
||||
import { StateProvider } from "@bitwarden/common/platform/state";
|
||||
import { KeyServiceLegacyEncryptorProvider } from "@bitwarden/common/tools/cryptography/key-service-legacy-encryptor-provider";
|
||||
import { LegacyEncryptorProvider } from "@bitwarden/common/tools/cryptography/legacy-encryptor-provider";
|
||||
import { disabledSemanticLoggerProvider } from "@bitwarden/common/tools/log";
|
||||
import { UserStateSubjectDependencyProvider } from "@bitwarden/common/tools/state/user-state-subject-dependency-provider";
|
||||
import {
|
||||
createRandomizer,
|
||||
CredentialGeneratorService,
|
||||
@@ -34,17 +35,25 @@ export const RANDOMIZER = new SafeInjectionToken<Randomizer>("Randomizer");
|
||||
useClass: KeyServiceLegacyEncryptorProvider,
|
||||
deps: [EncryptService, KeyService],
|
||||
}),
|
||||
safeProvider({
|
||||
provide: UserStateSubjectDependencyProvider,
|
||||
useFactory: (encryptor: LegacyEncryptorProvider, state: StateProvider) =>
|
||||
Object.freeze({
|
||||
encryptor,
|
||||
state,
|
||||
log: disabledSemanticLoggerProvider,
|
||||
}),
|
||||
deps: [LegacyEncryptorProvider, StateProvider],
|
||||
}),
|
||||
safeProvider({
|
||||
provide: CredentialGeneratorService,
|
||||
useClass: CredentialGeneratorService,
|
||||
deps: [
|
||||
RANDOMIZER,
|
||||
StateProvider,
|
||||
PolicyService,
|
||||
ApiService,
|
||||
I18nService,
|
||||
LegacyEncryptorProvider,
|
||||
AccountService,
|
||||
UserStateSubjectDependencyProvider,
|
||||
],
|
||||
}),
|
||||
],
|
||||
|
||||
@@ -1,29 +1,27 @@
|
||||
// FIXME: Update this file to be type safe and remove this and next line
|
||||
// @ts-strict-ignore
|
||||
import { coerceBooleanProperty } from "@angular/cdk/coercion";
|
||||
import { OnInit, Input, Output, EventEmitter, Component, OnDestroy } from "@angular/core";
|
||||
import { FormBuilder } from "@angular/forms";
|
||||
import {
|
||||
BehaviorSubject,
|
||||
skip,
|
||||
takeUntil,
|
||||
Subject,
|
||||
map,
|
||||
withLatestFrom,
|
||||
ReplaySubject,
|
||||
} from "rxjs";
|
||||
OnInit,
|
||||
Input,
|
||||
Output,
|
||||
EventEmitter,
|
||||
Component,
|
||||
OnDestroy,
|
||||
SimpleChanges,
|
||||
OnChanges,
|
||||
} from "@angular/core";
|
||||
import { FormBuilder } from "@angular/forms";
|
||||
import { skip, takeUntil, Subject, map, withLatestFrom, ReplaySubject } from "rxjs";
|
||||
|
||||
import { AccountService } from "@bitwarden/common/auth/abstractions/account.service";
|
||||
import { Account } from "@bitwarden/common/auth/abstractions/account.service";
|
||||
import { I18nService } from "@bitwarden/common/platform/abstractions/i18n.service";
|
||||
import { UserId } from "@bitwarden/common/types/guid";
|
||||
import {
|
||||
Generators,
|
||||
CredentialGeneratorService,
|
||||
PassphraseGenerationOptions,
|
||||
} from "@bitwarden/generator-core";
|
||||
|
||||
import { completeOnAccountSwitch } from "./util";
|
||||
|
||||
const Controls = Object.freeze({
|
||||
numWords: "numWords",
|
||||
includeNumber: "includeNumber",
|
||||
@@ -36,9 +34,8 @@ const Controls = Object.freeze({
|
||||
selector: "tools-passphrase-settings",
|
||||
templateUrl: "passphrase-settings.component.html",
|
||||
})
|
||||
export class PassphraseSettingsComponent implements OnInit, OnDestroy {
|
||||
export class PassphraseSettingsComponent implements OnInit, OnChanges, OnDestroy {
|
||||
/** Instantiates the component
|
||||
* @param accountService queries user availability
|
||||
* @param generatorService settings and policy logic
|
||||
* @param i18nService localize hints
|
||||
* @param formBuilder reactive form controls
|
||||
@@ -47,15 +44,20 @@ export class PassphraseSettingsComponent implements OnInit, OnDestroy {
|
||||
private formBuilder: FormBuilder,
|
||||
private generatorService: CredentialGeneratorService,
|
||||
private i18nService: I18nService,
|
||||
private accountService: AccountService,
|
||||
) {}
|
||||
|
||||
/** Binds the component to a specific user's settings.
|
||||
* When this input is not provided, the form binds to the active
|
||||
* user
|
||||
*/
|
||||
@Input()
|
||||
userId: UserId | null;
|
||||
@Input({ required: true })
|
||||
account: Account;
|
||||
|
||||
protected account$ = new ReplaySubject<Account>(1);
|
||||
|
||||
async ngOnChanges(changes: SimpleChanges) {
|
||||
if ("account" in changes && changes.account) {
|
||||
this.account$.next(this.account);
|
||||
}
|
||||
}
|
||||
|
||||
/** When `true`, an options header is displayed by the component. Otherwise, the header is hidden. */
|
||||
@Input()
|
||||
@@ -80,8 +82,9 @@ export class PassphraseSettingsComponent implements OnInit, OnDestroy {
|
||||
});
|
||||
|
||||
async ngOnInit() {
|
||||
const singleUserId$ = this.singleUserId$();
|
||||
const settings = await this.generatorService.settings(Generators.passphrase, { singleUserId$ });
|
||||
const settings = await this.generatorService.settings(Generators.passphrase, {
|
||||
account$: this.account$,
|
||||
});
|
||||
|
||||
// skips reactive event emissions to break a subscription cycle
|
||||
settings.withConstraints$
|
||||
@@ -108,7 +111,7 @@ export class PassphraseSettingsComponent implements OnInit, OnDestroy {
|
||||
|
||||
// explain policy & disable policy-overridden fields
|
||||
this.generatorService
|
||||
.policy$(Generators.passphrase, { userId$: singleUserId$ })
|
||||
.policy$(Generators.passphrase, { account$: this.account$ })
|
||||
.pipe(takeUntil(this.destroyed$))
|
||||
.subscribe(({ constraints }) => {
|
||||
this.wordSeparatorMaxLength = constraints.wordSeparator.maxLength;
|
||||
@@ -152,19 +155,6 @@ export class PassphraseSettingsComponent implements OnInit, OnDestroy {
|
||||
}
|
||||
}
|
||||
|
||||
private singleUserId$() {
|
||||
// FIXME: this branch should probably scan for the user and make sure
|
||||
// the account is unlocked
|
||||
if (this.userId) {
|
||||
return new BehaviorSubject(this.userId as UserId).asObservable();
|
||||
}
|
||||
|
||||
return this.accountService.activeAccount$.pipe(
|
||||
completeOnAccountSwitch(),
|
||||
takeUntil(this.destroyed$),
|
||||
);
|
||||
}
|
||||
|
||||
private readonly destroyed$ = new Subject<void>();
|
||||
ngOnDestroy(): void {
|
||||
this.destroyed$.next();
|
||||
|
||||
@@ -39,14 +39,14 @@
|
||||
<tools-password-settings
|
||||
class="tw-mt-6"
|
||||
*ngIf="(algorithm$ | async)?.id === 'password'"
|
||||
[userId]="this.userId$ | async"
|
||||
[account]="account$ | async"
|
||||
[disableMargin]="disableMargin"
|
||||
(onUpdated)="generate('password settings')"
|
||||
/>
|
||||
<tools-passphrase-settings
|
||||
class="tw-mt-6"
|
||||
*ngIf="(algorithm$ | async)?.id === 'passphrase'"
|
||||
[userId]="this.userId$ | async"
|
||||
[account]="account$ | async"
|
||||
(onUpdated)="generate('passphrase settings')"
|
||||
[disableMargin]="disableMargin"
|
||||
/>
|
||||
|
||||
@@ -2,12 +2,23 @@
|
||||
// @ts-strict-ignore
|
||||
import { LiveAnnouncer } from "@angular/cdk/a11y";
|
||||
import { coerceBooleanProperty } from "@angular/cdk/coercion";
|
||||
import { Component, EventEmitter, Input, NgZone, OnDestroy, OnInit, Output } from "@angular/core";
|
||||
import {
|
||||
Component,
|
||||
EventEmitter,
|
||||
Input,
|
||||
NgZone,
|
||||
OnChanges,
|
||||
OnDestroy,
|
||||
OnInit,
|
||||
Output,
|
||||
SimpleChanges,
|
||||
} from "@angular/core";
|
||||
import {
|
||||
BehaviorSubject,
|
||||
catchError,
|
||||
distinctUntilChanged,
|
||||
filter,
|
||||
firstValueFrom,
|
||||
map,
|
||||
ReplaySubject,
|
||||
Subject,
|
||||
@@ -16,8 +27,13 @@ import {
|
||||
withLatestFrom,
|
||||
} from "rxjs";
|
||||
|
||||
import { AccountService } from "@bitwarden/common/auth/abstractions/account.service";
|
||||
import { Account, AccountService } from "@bitwarden/common/auth/abstractions/account.service";
|
||||
import { LogService } from "@bitwarden/common/platform/abstractions/log.service";
|
||||
import {
|
||||
SemanticLogger,
|
||||
disabledSemanticLoggerProvider,
|
||||
ifEnabledSemanticLoggerProvider,
|
||||
} from "@bitwarden/common/tools/log";
|
||||
import { UserId } from "@bitwarden/common/types/guid";
|
||||
import { ToastService, Option } from "@bitwarden/components";
|
||||
import {
|
||||
@@ -29,6 +45,7 @@ import {
|
||||
AlgorithmInfo,
|
||||
isSameAlgorithm,
|
||||
GenerateRequest,
|
||||
CredentialCategories,
|
||||
} from "@bitwarden/generator-core";
|
||||
import { GeneratorHistoryService } from "@bitwarden/generator-history";
|
||||
|
||||
@@ -37,7 +54,7 @@ import { GeneratorHistoryService } from "@bitwarden/generator-history";
|
||||
selector: "tools-password-generator",
|
||||
templateUrl: "password-generator.component.html",
|
||||
})
|
||||
export class PasswordGeneratorComponent implements OnInit, OnDestroy {
|
||||
export class PasswordGeneratorComponent implements OnInit, OnChanges, OnDestroy {
|
||||
constructor(
|
||||
private generatorService: CredentialGeneratorService,
|
||||
private generatorHistoryService: GeneratorHistoryService,
|
||||
@@ -48,12 +65,38 @@ export class PasswordGeneratorComponent implements OnInit, OnDestroy {
|
||||
private ariaLive: LiveAnnouncer,
|
||||
) {}
|
||||
|
||||
/** Binds the component to a specific user's settings.
|
||||
* When this input is not provided, the form binds to the active
|
||||
* user
|
||||
/** Binds the component to a specific user's settings. When this input is not provided,
|
||||
* the form binds to the active user
|
||||
*/
|
||||
@Input()
|
||||
userId: UserId | null;
|
||||
account: Account | null;
|
||||
|
||||
protected account$ = new ReplaySubject<Account>(1);
|
||||
|
||||
/** Send structured debug logs from the credential generator component
|
||||
* to the debugger console.
|
||||
*
|
||||
* @warning this may reveal sensitive information in plaintext.
|
||||
*/
|
||||
@Input()
|
||||
debug: boolean = false;
|
||||
|
||||
// this `log` initializer is overridden in `ngOnInit`
|
||||
private log: SemanticLogger = disabledSemanticLoggerProvider({});
|
||||
|
||||
async ngOnChanges(changes: SimpleChanges) {
|
||||
const account = changes?.account;
|
||||
if (account?.previousValue?.id !== account?.currentValue?.id) {
|
||||
this.log.debug(
|
||||
{
|
||||
previousUserId: account?.previousValue?.id as UserId,
|
||||
currentUserId: account?.currentValue?.id as UserId,
|
||||
},
|
||||
"account input change detected",
|
||||
);
|
||||
this.account$.next(this.account);
|
||||
}
|
||||
}
|
||||
|
||||
/** Removes bottom margin, passed to downstream components */
|
||||
@Input({ transform: coerceBooleanProperty }) disableMargin = false;
|
||||
@@ -64,9 +107,6 @@ export class PasswordGeneratorComponent implements OnInit, OnDestroy {
|
||||
/** Emits the last generated value. */
|
||||
protected readonly value$ = new BehaviorSubject<string>("");
|
||||
|
||||
/** Emits when the userId changes */
|
||||
protected readonly userId$ = new BehaviorSubject<UserId>(null);
|
||||
|
||||
/** Emits when a new credential is requested */
|
||||
private readonly generate$ = new Subject<GenerateRequest>();
|
||||
|
||||
@@ -77,8 +117,10 @@ export class PasswordGeneratorComponent implements OnInit, OnDestroy {
|
||||
* @param requestor a label used to trace generation request
|
||||
* origin in the debugger.
|
||||
*/
|
||||
protected async generate(requestor: string) {
|
||||
this.generate$.next({ source: requestor });
|
||||
protected async generate(source: string) {
|
||||
this.log.debug({ source }, "generation requested");
|
||||
|
||||
this.generate$.next({ source });
|
||||
}
|
||||
|
||||
/** Tracks changes to the selected credential type
|
||||
@@ -102,20 +144,21 @@ export class PasswordGeneratorComponent implements OnInit, OnDestroy {
|
||||
readonly onAlgorithm = new EventEmitter<AlgorithmInfo>();
|
||||
|
||||
async ngOnInit() {
|
||||
if (this.userId) {
|
||||
this.userId$.next(this.userId);
|
||||
} else {
|
||||
this.accountService.activeAccount$
|
||||
.pipe(
|
||||
map((acct) => acct.id),
|
||||
distinctUntilChanged(),
|
||||
takeUntil(this.destroyed),
|
||||
)
|
||||
.subscribe(this.userId$);
|
||||
this.log = ifEnabledSemanticLoggerProvider(this.debug, this.logService, {
|
||||
type: "UsernameGeneratorComponent",
|
||||
});
|
||||
|
||||
if (!this.account) {
|
||||
this.account = await firstValueFrom(this.accountService.activeAccount$);
|
||||
this.log.info(
|
||||
{ userId: this.account.id },
|
||||
"account not specified; using active account settings",
|
||||
);
|
||||
this.account$.next(this.account);
|
||||
}
|
||||
|
||||
this.generatorService
|
||||
.algorithms$("password", { userId$: this.userId$ })
|
||||
.algorithms$("password", { account$: this.account$ })
|
||||
.pipe(
|
||||
map((algorithms) => this.toOptions(algorithms)),
|
||||
takeUntil(this.destroyed),
|
||||
@@ -141,12 +184,14 @@ export class PasswordGeneratorComponent implements OnInit, OnDestroy {
|
||||
// continue with origin stream
|
||||
return generator;
|
||||
}),
|
||||
withLatestFrom(this.userId$, this.algorithm$),
|
||||
withLatestFrom(this.account$, this.algorithm$),
|
||||
takeUntil(this.destroyed),
|
||||
)
|
||||
.subscribe(([generated, userId, algorithm]) => {
|
||||
.subscribe(([generated, account, algorithm]) => {
|
||||
this.log.debug({ source: generated.source }, "credential generated");
|
||||
|
||||
this.generatorHistoryService
|
||||
.track(userId, generated.credential, generated.category, generated.generationDate)
|
||||
.track(account.id, generated.credential, generated.category, generated.generationDate)
|
||||
.catch((e: unknown) => {
|
||||
this.logService.error(e);
|
||||
});
|
||||
@@ -164,7 +209,7 @@ export class PasswordGeneratorComponent implements OnInit, OnDestroy {
|
||||
});
|
||||
|
||||
// assume the last-visible generator algorithm is the user's preferred one
|
||||
const preferences = await this.generatorService.preferences({ singleUserId$: this.userId$ });
|
||||
const preferences = await this.generatorService.preferences({ account$: this.account$ });
|
||||
this.credentialType$
|
||||
.pipe(
|
||||
filter((type) => !!type),
|
||||
@@ -173,6 +218,10 @@ export class PasswordGeneratorComponent implements OnInit, OnDestroy {
|
||||
)
|
||||
.subscribe(([algorithm, preference]) => {
|
||||
if (isPasswordAlgorithm(algorithm)) {
|
||||
this.log.info(
|
||||
{ algorithm, category: CredentialCategories.password },
|
||||
"algorithm preferences updated",
|
||||
);
|
||||
preference.password.algorithm = algorithm;
|
||||
preference.password.updated = new Date();
|
||||
} else {
|
||||
@@ -190,6 +239,8 @@ export class PasswordGeneratorComponent implements OnInit, OnDestroy {
|
||||
takeUntil(this.destroyed),
|
||||
)
|
||||
.subscribe((algorithm) => {
|
||||
this.log.debug(algorithm, "algorithm selected");
|
||||
|
||||
// update navigation
|
||||
this.onCredentialTypeChanged(algorithm.id);
|
||||
|
||||
@@ -205,32 +256,40 @@ export class PasswordGeneratorComponent implements OnInit, OnDestroy {
|
||||
this.algorithm$.pipe(takeUntil(this.destroyed)).subscribe((a) => {
|
||||
this.zone.run(() => {
|
||||
if (!a || a.onlyOnRequest) {
|
||||
this.log.debug("autogeneration disabled; clearing generated credential");
|
||||
this.value$.next("-");
|
||||
} else {
|
||||
this.generate("autogenerate").catch((e: unknown) => this.logService.error(e));
|
||||
this.log.debug("autogeneration enabled");
|
||||
this.generate("autogenerate").catch((e: unknown) => {
|
||||
this.log.error(e as object, "a failure occurred during autogeneration");
|
||||
});
|
||||
}
|
||||
});
|
||||
});
|
||||
|
||||
this.log.debug("component initialized");
|
||||
}
|
||||
|
||||
private announce(message: string) {
|
||||
this.ariaLive.announce(message).catch((e) => this.logService.error(e));
|
||||
}
|
||||
|
||||
private typeToGenerator$(type: CredentialAlgorithm) {
|
||||
private typeToGenerator$(algorithm: CredentialAlgorithm) {
|
||||
const dependencies = {
|
||||
on$: this.generate$,
|
||||
userId$: this.userId$,
|
||||
account$: this.account$,
|
||||
};
|
||||
|
||||
switch (type) {
|
||||
this.log.debug({ algorithm }, "constructing generation stream");
|
||||
|
||||
switch (algorithm) {
|
||||
case "password":
|
||||
return this.generatorService.generate$(Generators.password, dependencies);
|
||||
|
||||
case "passphrase":
|
||||
return this.generatorService.generate$(Generators.passphrase, dependencies);
|
||||
default:
|
||||
throw new Error(`Invalid generator type: "${type}"`);
|
||||
this.log.panic({ algorithm }, `Invalid generator type: "${algorithm}"`);
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
@@ -1,31 +1,27 @@
|
||||
// FIXME: Update this file to be type safe and remove this and next line
|
||||
// @ts-strict-ignore
|
||||
import { coerceBooleanProperty } from "@angular/cdk/coercion";
|
||||
import { OnInit, Input, Output, EventEmitter, Component, OnDestroy } from "@angular/core";
|
||||
import { FormBuilder } from "@angular/forms";
|
||||
import {
|
||||
BehaviorSubject,
|
||||
takeUntil,
|
||||
Subject,
|
||||
map,
|
||||
filter,
|
||||
tap,
|
||||
skip,
|
||||
ReplaySubject,
|
||||
withLatestFrom,
|
||||
} from "rxjs";
|
||||
OnInit,
|
||||
Input,
|
||||
Output,
|
||||
EventEmitter,
|
||||
Component,
|
||||
OnDestroy,
|
||||
SimpleChanges,
|
||||
OnChanges,
|
||||
} from "@angular/core";
|
||||
import { FormBuilder } from "@angular/forms";
|
||||
import { takeUntil, Subject, map, filter, tap, skip, ReplaySubject, withLatestFrom } from "rxjs";
|
||||
|
||||
import { AccountService } from "@bitwarden/common/auth/abstractions/account.service";
|
||||
import { Account } from "@bitwarden/common/auth/abstractions/account.service";
|
||||
import { I18nService } from "@bitwarden/common/platform/abstractions/i18n.service";
|
||||
import { UserId } from "@bitwarden/common/types/guid";
|
||||
import {
|
||||
Generators,
|
||||
CredentialGeneratorService,
|
||||
PasswordGenerationOptions,
|
||||
} from "@bitwarden/generator-core";
|
||||
|
||||
import { completeOnAccountSwitch } from "./util";
|
||||
|
||||
const Controls = Object.freeze({
|
||||
length: "length",
|
||||
uppercase: "uppercase",
|
||||
@@ -42,9 +38,8 @@ const Controls = Object.freeze({
|
||||
selector: "tools-password-settings",
|
||||
templateUrl: "password-settings.component.html",
|
||||
})
|
||||
export class PasswordSettingsComponent implements OnInit, OnDestroy {
|
||||
export class PasswordSettingsComponent implements OnInit, OnChanges, OnDestroy {
|
||||
/** Instantiates the component
|
||||
* @param accountService queries user availability
|
||||
* @param generatorService settings and policy logic
|
||||
* @param i18nService localize hints
|
||||
* @param formBuilder reactive form controls
|
||||
@@ -53,15 +48,20 @@ export class PasswordSettingsComponent implements OnInit, OnDestroy {
|
||||
private formBuilder: FormBuilder,
|
||||
private generatorService: CredentialGeneratorService,
|
||||
private i18nService: I18nService,
|
||||
private accountService: AccountService,
|
||||
) {}
|
||||
|
||||
/** Binds the password component to a specific user's settings.
|
||||
* When this input is not provided, the form binds to the active
|
||||
* user
|
||||
/** Binds the component to a specific user's settings.
|
||||
*/
|
||||
@Input()
|
||||
userId: UserId | null;
|
||||
@Input({ required: true })
|
||||
account: Account;
|
||||
|
||||
protected account$ = new ReplaySubject<Account>(1);
|
||||
|
||||
async ngOnChanges(changes: SimpleChanges) {
|
||||
if ("account" in changes && changes.account) {
|
||||
this.account$.next(this.account);
|
||||
}
|
||||
}
|
||||
|
||||
/** When `true`, an options header is displayed by the component. Otherwise, the header is hidden. */
|
||||
@Input()
|
||||
@@ -110,8 +110,9 @@ export class PasswordSettingsComponent implements OnInit, OnDestroy {
|
||||
}
|
||||
|
||||
async ngOnInit() {
|
||||
const singleUserId$ = this.singleUserId$();
|
||||
const settings = await this.generatorService.settings(Generators.password, { singleUserId$ });
|
||||
const settings = await this.generatorService.settings(Generators.password, {
|
||||
account$: this.account$,
|
||||
});
|
||||
|
||||
// bind settings to the UI
|
||||
settings.withConstraints$
|
||||
@@ -145,7 +146,7 @@ export class PasswordSettingsComponent implements OnInit, OnDestroy {
|
||||
|
||||
// explain policy & disable policy-overridden fields
|
||||
this.generatorService
|
||||
.policy$(Generators.password, { userId$: singleUserId$ })
|
||||
.policy$(Generators.password, { account$: this.account$ })
|
||||
.pipe(takeUntil(this.destroyed$))
|
||||
.subscribe(({ constraints }) => {
|
||||
this.policyInEffect = constraints.policyInEffect;
|
||||
@@ -243,19 +244,6 @@ export class PasswordSettingsComponent implements OnInit, OnDestroy {
|
||||
}
|
||||
}
|
||||
|
||||
private singleUserId$() {
|
||||
// FIXME: this branch should probably scan for the user and make sure
|
||||
// the account is unlocked
|
||||
if (this.userId) {
|
||||
return new BehaviorSubject(this.userId as UserId).asObservable();
|
||||
}
|
||||
|
||||
return this.accountService.activeAccount$.pipe(
|
||||
completeOnAccountSwitch(),
|
||||
takeUntil(this.destroyed$),
|
||||
);
|
||||
}
|
||||
|
||||
private readonly destroyed$ = new Subject<void>();
|
||||
ngOnDestroy(): void {
|
||||
this.destroyed$.next();
|
||||
|
||||
@@ -1,25 +1,31 @@
|
||||
// FIXME: Update this file to be type safe and remove this and next line
|
||||
// @ts-strict-ignore
|
||||
import { Component, EventEmitter, Input, OnDestroy, OnInit, Output } from "@angular/core";
|
||||
import {
|
||||
Component,
|
||||
EventEmitter,
|
||||
Input,
|
||||
OnChanges,
|
||||
OnDestroy,
|
||||
OnInit,
|
||||
Output,
|
||||
SimpleChanges,
|
||||
} from "@angular/core";
|
||||
import { FormBuilder } from "@angular/forms";
|
||||
import { BehaviorSubject, map, skip, Subject, takeUntil, withLatestFrom } from "rxjs";
|
||||
import { map, ReplaySubject, skip, Subject, takeUntil, withLatestFrom } from "rxjs";
|
||||
|
||||
import { AccountService } from "@bitwarden/common/auth/abstractions/account.service";
|
||||
import { UserId } from "@bitwarden/common/types/guid";
|
||||
import { Account, AccountService } from "@bitwarden/common/auth/abstractions/account.service";
|
||||
import {
|
||||
CredentialGeneratorService,
|
||||
Generators,
|
||||
SubaddressGenerationOptions,
|
||||
} from "@bitwarden/generator-core";
|
||||
|
||||
import { completeOnAccountSwitch } from "./util";
|
||||
|
||||
/** Options group for plus-addressed emails */
|
||||
@Component({
|
||||
selector: "tools-subaddress-settings",
|
||||
templateUrl: "subaddress-settings.component.html",
|
||||
})
|
||||
export class SubaddressSettingsComponent implements OnInit, OnDestroy {
|
||||
export class SubaddressSettingsComponent implements OnInit, OnChanges, OnDestroy {
|
||||
/** Instantiates the component
|
||||
* @param accountService queries user availability
|
||||
* @param generatorService settings and policy logic
|
||||
@@ -32,11 +38,17 @@ export class SubaddressSettingsComponent implements OnInit, OnDestroy {
|
||||
) {}
|
||||
|
||||
/** Binds the component to a specific user's settings.
|
||||
* When this input is not provided, the form binds to the active
|
||||
* user
|
||||
*/
|
||||
@Input()
|
||||
userId: UserId | null;
|
||||
@Input({ required: true })
|
||||
account: Account;
|
||||
|
||||
protected account$ = new ReplaySubject<Account>(1);
|
||||
|
||||
async ngOnChanges(changes: SimpleChanges) {
|
||||
if ("account" in changes && changes.account) {
|
||||
this.account$.next(this.account);
|
||||
}
|
||||
}
|
||||
|
||||
/** Emits settings updates and completes if the settings become unavailable.
|
||||
* @remarks this does not emit the initial settings. If you would like
|
||||
@@ -52,8 +64,9 @@ export class SubaddressSettingsComponent implements OnInit, OnDestroy {
|
||||
});
|
||||
|
||||
async ngOnInit() {
|
||||
const singleUserId$ = this.singleUserId$();
|
||||
const settings = await this.generatorService.settings(Generators.subaddress, { singleUserId$ });
|
||||
const settings = await this.generatorService.settings(Generators.subaddress, {
|
||||
account$: this.account$,
|
||||
});
|
||||
|
||||
settings.pipe(takeUntil(this.destroyed$)).subscribe((s) => {
|
||||
this.settings.patchValue(s, { emitEvent: false });
|
||||
@@ -76,19 +89,6 @@ export class SubaddressSettingsComponent implements OnInit, OnDestroy {
|
||||
this.saveSettings.next(site);
|
||||
}
|
||||
|
||||
private singleUserId$() {
|
||||
// FIXME: this branch should probably scan for the user and make sure
|
||||
// the account is unlocked
|
||||
if (this.userId) {
|
||||
return new BehaviorSubject(this.userId as UserId).asObservable();
|
||||
}
|
||||
|
||||
return this.accountService.activeAccount$.pipe(
|
||||
completeOnAccountSwitch(),
|
||||
takeUntil(this.destroyed$),
|
||||
);
|
||||
}
|
||||
|
||||
private readonly destroyed$ = new Subject<void>();
|
||||
ngOnDestroy(): void {
|
||||
this.destroyed$.next();
|
||||
|
||||
@@ -60,22 +60,22 @@
|
||||
</form>
|
||||
<tools-catchall-settings
|
||||
*ngIf="(algorithm$ | async)?.id === 'catchall'"
|
||||
[userId]="this.userId$ | async"
|
||||
[account]="account$ | async"
|
||||
(onUpdated)="generate('catchall settings')"
|
||||
/>
|
||||
<tools-forwarder-settings
|
||||
*ngIf="!!(forwarderId$ | async)"
|
||||
[forwarder]="forwarderId$ | async"
|
||||
[userId]="this.userId$ | async"
|
||||
[account]="account$ | async"
|
||||
/>
|
||||
<tools-subaddress-settings
|
||||
*ngIf="(algorithm$ | async)?.id === 'subaddress'"
|
||||
[userId]="this.userId$ | async"
|
||||
[account]="account$ | async"
|
||||
(onUpdated)="generate('subaddress settings')"
|
||||
/>
|
||||
<tools-username-settings
|
||||
*ngIf="(algorithm$ | async)?.id === 'username'"
|
||||
[userId]="this.userId$ | async"
|
||||
[account]="account$ | async"
|
||||
(onUpdated)="generate('username settings')"
|
||||
/>
|
||||
</bit-card>
|
||||
|
||||
@@ -2,7 +2,17 @@
|
||||
// @ts-strict-ignore
|
||||
import { LiveAnnouncer } from "@angular/cdk/a11y";
|
||||
import { coerceBooleanProperty } from "@angular/cdk/coercion";
|
||||
import { Component, EventEmitter, Input, NgZone, OnDestroy, OnInit, Output } from "@angular/core";
|
||||
import {
|
||||
Component,
|
||||
EventEmitter,
|
||||
Input,
|
||||
NgZone,
|
||||
OnChanges,
|
||||
OnDestroy,
|
||||
OnInit,
|
||||
Output,
|
||||
SimpleChanges,
|
||||
} from "@angular/core";
|
||||
import { FormBuilder } from "@angular/forms";
|
||||
import {
|
||||
BehaviorSubject,
|
||||
@@ -11,6 +21,7 @@ import {
|
||||
combineLatestWith,
|
||||
distinctUntilChanged,
|
||||
filter,
|
||||
firstValueFrom,
|
||||
map,
|
||||
ReplaySubject,
|
||||
Subject,
|
||||
@@ -19,15 +30,21 @@ import {
|
||||
withLatestFrom,
|
||||
} from "rxjs";
|
||||
|
||||
import { AccountService } from "@bitwarden/common/auth/abstractions/account.service";
|
||||
import { Account, AccountService } from "@bitwarden/common/auth/abstractions/account.service";
|
||||
import { I18nService } from "@bitwarden/common/platform/abstractions/i18n.service";
|
||||
import { LogService } from "@bitwarden/common/platform/abstractions/log.service";
|
||||
import { IntegrationId } from "@bitwarden/common/tools/integration";
|
||||
import {
|
||||
SemanticLogger,
|
||||
disabledSemanticLoggerProvider,
|
||||
ifEnabledSemanticLoggerProvider,
|
||||
} from "@bitwarden/common/tools/log";
|
||||
import { UserId } from "@bitwarden/common/types/guid";
|
||||
import { ToastService, Option } from "@bitwarden/components";
|
||||
import {
|
||||
AlgorithmInfo,
|
||||
CredentialAlgorithm,
|
||||
CredentialCategories,
|
||||
CredentialGeneratorService,
|
||||
GenerateRequest,
|
||||
GeneratedCredential,
|
||||
@@ -51,7 +68,7 @@ const NONE_SELECTED = "none";
|
||||
selector: "tools-username-generator",
|
||||
templateUrl: "username-generator.component.html",
|
||||
})
|
||||
export class UsernameGeneratorComponent implements OnInit, OnDestroy {
|
||||
export class UsernameGeneratorComponent implements OnInit, OnChanges, OnDestroy {
|
||||
/** Instantiates the username generator
|
||||
* @param generatorService generates credentials; stores preferences
|
||||
* @param i18nService localizes generator algorithm descriptions
|
||||
@@ -75,7 +92,34 @@ export class UsernameGeneratorComponent implements OnInit, OnDestroy {
|
||||
* the form binds to the active user
|
||||
*/
|
||||
@Input()
|
||||
userId: UserId | null;
|
||||
account: Account | null;
|
||||
|
||||
protected account$ = new ReplaySubject<Account>(1);
|
||||
|
||||
/** Send structured debug logs from the credential generator component
|
||||
* to the debugger console.
|
||||
*
|
||||
* @warning this may reveal sensitive information in plaintext.
|
||||
*/
|
||||
@Input()
|
||||
debug: boolean = false;
|
||||
|
||||
// this `log` initializer is overridden in `ngOnInit`
|
||||
private log: SemanticLogger = disabledSemanticLoggerProvider({});
|
||||
|
||||
async ngOnChanges(changes: SimpleChanges) {
|
||||
const account = changes?.account;
|
||||
if (account?.previousValue?.id !== account?.currentValue?.id) {
|
||||
this.log.debug(
|
||||
{
|
||||
previousUserId: account?.previousValue?.id as UserId,
|
||||
currentUserId: account?.currentValue?.id as UserId,
|
||||
},
|
||||
"account input change detected",
|
||||
);
|
||||
this.account$.next(this.account);
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* The website associated with the credential generation request.
|
||||
@@ -104,20 +148,21 @@ export class UsernameGeneratorComponent implements OnInit, OnDestroy {
|
||||
});
|
||||
|
||||
async ngOnInit() {
|
||||
if (this.userId) {
|
||||
this.userId$.next(this.userId);
|
||||
} else {
|
||||
this.accountService.activeAccount$
|
||||
.pipe(
|
||||
map((acct) => acct.id),
|
||||
distinctUntilChanged(),
|
||||
takeUntil(this.destroyed),
|
||||
)
|
||||
.subscribe(this.userId$);
|
||||
this.log = ifEnabledSemanticLoggerProvider(this.debug, this.logService, {
|
||||
type: "UsernameGeneratorComponent",
|
||||
});
|
||||
|
||||
if (!this.account) {
|
||||
this.account = await firstValueFrom(this.accountService.activeAccount$);
|
||||
this.log.info(
|
||||
{ userId: this.account.id },
|
||||
"account not specified; using active account settings",
|
||||
);
|
||||
this.account$.next(this.account);
|
||||
}
|
||||
|
||||
this.generatorService
|
||||
.algorithms$(["email", "username"], { userId$: this.userId$ })
|
||||
.algorithms$(["email", "username"], { account$: this.account$ })
|
||||
.pipe(
|
||||
map((algorithms) => {
|
||||
const usernames = algorithms.filter((a) => !isForwarderIntegration(a.id));
|
||||
@@ -169,12 +214,14 @@ export class UsernameGeneratorComponent implements OnInit, OnDestroy {
|
||||
// continue with origin stream
|
||||
return generator;
|
||||
}),
|
||||
withLatestFrom(this.userId$, this.algorithm$),
|
||||
withLatestFrom(this.account$, this.algorithm$),
|
||||
takeUntil(this.destroyed),
|
||||
)
|
||||
.subscribe(([generated, userId, algorithm]) => {
|
||||
.subscribe(([generated, account, algorithm]) => {
|
||||
this.log.debug({ source: generated.source }, "credential generated");
|
||||
|
||||
this.generatorHistoryService
|
||||
.track(userId, generated.credential, generated.category, generated.generationDate)
|
||||
.track(account.id, generated.credential, generated.category, generated.generationDate)
|
||||
.catch((e: unknown) => {
|
||||
this.logService.error(e);
|
||||
});
|
||||
@@ -237,6 +284,8 @@ export class UsernameGeneratorComponent implements OnInit, OnDestroy {
|
||||
takeUntil(this.destroyed),
|
||||
)
|
||||
.subscribe(([showForwarder, forwarderId]) => {
|
||||
this.log.debug({ forwarderId, showForwarder }, "forwarder visibility updated");
|
||||
|
||||
// update subjects within the angular zone so that the
|
||||
// template bindings refresh immediately
|
||||
this.zone.run(() => {
|
||||
@@ -260,6 +309,8 @@ export class UsernameGeneratorComponent implements OnInit, OnDestroy {
|
||||
takeUntil(this.destroyed),
|
||||
)
|
||||
.subscribe((algorithm) => {
|
||||
this.log.debug(algorithm, "algorithm selected");
|
||||
|
||||
// update subjects within the angular zone so that the
|
||||
// template bindings refresh immediately
|
||||
this.zone.run(() => {
|
||||
@@ -269,7 +320,7 @@ export class UsernameGeneratorComponent implements OnInit, OnDestroy {
|
||||
});
|
||||
|
||||
// assume the last-visible generator algorithm is the user's preferred one
|
||||
const preferences = await this.generatorService.preferences({ singleUserId$: this.userId$ });
|
||||
const preferences = await this.generatorService.preferences({ account$: this.account$ });
|
||||
this.algorithm$
|
||||
.pipe(
|
||||
filter((algorithm) => !!algorithm),
|
||||
@@ -278,9 +329,17 @@ export class UsernameGeneratorComponent implements OnInit, OnDestroy {
|
||||
)
|
||||
.subscribe(([algorithm, preference]) => {
|
||||
if (isEmailAlgorithm(algorithm.id)) {
|
||||
this.log.info(
|
||||
{ algorithm, category: CredentialCategories.email },
|
||||
"algorithm preferences updated",
|
||||
);
|
||||
preference.email.algorithm = algorithm.id;
|
||||
preference.email.updated = new Date();
|
||||
} else if (isUsernameAlgorithm(algorithm.id)) {
|
||||
this.log.info(
|
||||
{ algorithm, category: CredentialCategories.username },
|
||||
"algorithm preferences updated",
|
||||
);
|
||||
preference.username.algorithm = algorithm.id;
|
||||
preference.username.updated = new Date();
|
||||
} else {
|
||||
@@ -339,21 +398,30 @@ export class UsernameGeneratorComponent implements OnInit, OnDestroy {
|
||||
this.algorithm$.pipe(takeUntil(this.destroyed)).subscribe((a) => {
|
||||
this.zone.run(() => {
|
||||
if (!a || a.onlyOnRequest) {
|
||||
this.log.debug("autogeneration disabled; clearing generated credential");
|
||||
this.value$.next("-");
|
||||
} else {
|
||||
this.generate("autogenerate").catch((e: unknown) => this.logService.error(e));
|
||||
this.log.debug("autogeneration enabled");
|
||||
|
||||
this.generate("autogenerate").catch((e: unknown) => {
|
||||
this.log.error(e as object, "a failure occurred during autogeneration");
|
||||
});
|
||||
}
|
||||
});
|
||||
});
|
||||
|
||||
this.log.debug("component initialized");
|
||||
}
|
||||
|
||||
private typeToGenerator$(type: CredentialAlgorithm) {
|
||||
private typeToGenerator$(algorithm: CredentialAlgorithm) {
|
||||
const dependencies = {
|
||||
on$: this.generate$,
|
||||
userId$: this.userId$,
|
||||
account$: this.account$,
|
||||
};
|
||||
|
||||
switch (type) {
|
||||
this.log.debug({ algorithm }, "constructing generation stream");
|
||||
|
||||
switch (algorithm) {
|
||||
case "catchall":
|
||||
return this.generatorService.generate$(Generators.catchall, dependencies);
|
||||
|
||||
@@ -364,13 +432,13 @@ export class UsernameGeneratorComponent implements OnInit, OnDestroy {
|
||||
return this.generatorService.generate$(Generators.username, dependencies);
|
||||
}
|
||||
|
||||
if (isForwarderIntegration(type)) {
|
||||
const forwarder = getForwarderConfiguration(type.forwarder);
|
||||
if (isForwarderIntegration(algorithm)) {
|
||||
const forwarder = getForwarderConfiguration(algorithm.forwarder);
|
||||
const configuration = toCredentialGeneratorConfiguration(forwarder);
|
||||
return this.generatorService.generate$(configuration, dependencies);
|
||||
}
|
||||
|
||||
throw new Error(`Invalid generator type: "${type}"`);
|
||||
this.log.panic({ algorithm }, `Invalid generator type: "${algorithm}"`);
|
||||
}
|
||||
|
||||
private announce(message: string) {
|
||||
@@ -398,9 +466,6 @@ export class UsernameGeneratorComponent implements OnInit, OnDestroy {
|
||||
/** Emits the last generated value. */
|
||||
protected readonly value$ = new BehaviorSubject<string>("");
|
||||
|
||||
/** Emits when the userId changes */
|
||||
protected readonly userId$ = new BehaviorSubject<UserId>(null);
|
||||
|
||||
/** Emits when a new credential is requested */
|
||||
private readonly generate$ = new Subject<GenerateRequest>();
|
||||
|
||||
@@ -437,11 +502,13 @@ export class UsernameGeneratorComponent implements OnInit, OnDestroy {
|
||||
protected readonly USER_REQUEST = "user request";
|
||||
|
||||
/** Request a new value from the generator
|
||||
* @param requestor a label used to trace generation request
|
||||
* @param source a label used to trace generation request
|
||||
* origin in the debugger.
|
||||
*/
|
||||
protected async generate(requestor: string) {
|
||||
this.generate$.next({ source: requestor, website: this.website });
|
||||
protected async generate(source: string) {
|
||||
const request = { source, website: this.website };
|
||||
this.log.debug(request, "generation requested");
|
||||
this.generate$.next(request);
|
||||
}
|
||||
|
||||
private toOptions(algorithms: AlgorithmInfo[]) {
|
||||
|
||||
@@ -1,25 +1,31 @@
|
||||
// FIXME: Update this file to be type safe and remove this and next line
|
||||
// @ts-strict-ignore
|
||||
import { Component, EventEmitter, Input, OnDestroy, OnInit, Output } from "@angular/core";
|
||||
import {
|
||||
Component,
|
||||
EventEmitter,
|
||||
Input,
|
||||
OnChanges,
|
||||
OnDestroy,
|
||||
OnInit,
|
||||
Output,
|
||||
SimpleChanges,
|
||||
} from "@angular/core";
|
||||
import { FormBuilder } from "@angular/forms";
|
||||
import { BehaviorSubject, map, skip, Subject, takeUntil, withLatestFrom } from "rxjs";
|
||||
import { map, ReplaySubject, skip, Subject, takeUntil, withLatestFrom } from "rxjs";
|
||||
|
||||
import { AccountService } from "@bitwarden/common/auth/abstractions/account.service";
|
||||
import { UserId } from "@bitwarden/common/types/guid";
|
||||
import { Account } from "@bitwarden/common/auth/abstractions/account.service";
|
||||
import {
|
||||
CredentialGeneratorService,
|
||||
EffUsernameGenerationOptions,
|
||||
Generators,
|
||||
} from "@bitwarden/generator-core";
|
||||
|
||||
import { completeOnAccountSwitch } from "./util";
|
||||
|
||||
/** Options group for usernames */
|
||||
@Component({
|
||||
selector: "tools-username-settings",
|
||||
templateUrl: "username-settings.component.html",
|
||||
})
|
||||
export class UsernameSettingsComponent implements OnInit, OnDestroy {
|
||||
export class UsernameSettingsComponent implements OnInit, OnChanges, OnDestroy {
|
||||
/** Instantiates the component
|
||||
* @param accountService queries user availability
|
||||
* @param generatorService settings and policy logic
|
||||
@@ -28,15 +34,20 @@ export class UsernameSettingsComponent implements OnInit, OnDestroy {
|
||||
constructor(
|
||||
private formBuilder: FormBuilder,
|
||||
private generatorService: CredentialGeneratorService,
|
||||
private accountService: AccountService,
|
||||
) {}
|
||||
|
||||
/** Binds the component to a specific user's settings.
|
||||
* When this input is not provided, the form binds to the active
|
||||
* user
|
||||
*/
|
||||
@Input()
|
||||
userId: UserId | null;
|
||||
@Input({ required: true })
|
||||
account: Account;
|
||||
|
||||
protected account$ = new ReplaySubject<Account>(1);
|
||||
|
||||
async ngOnChanges(changes: SimpleChanges) {
|
||||
if ("account" in changes) {
|
||||
this.account$.next(this.account);
|
||||
}
|
||||
}
|
||||
|
||||
/** Emits settings updates and completes if the settings become unavailable.
|
||||
* @remarks this does not emit the initial settings. If you would like
|
||||
@@ -53,8 +64,9 @@ export class UsernameSettingsComponent implements OnInit, OnDestroy {
|
||||
});
|
||||
|
||||
async ngOnInit() {
|
||||
const singleUserId$ = this.singleUserId$();
|
||||
const settings = await this.generatorService.settings(Generators.username, { singleUserId$ });
|
||||
const settings = await this.generatorService.settings(Generators.username, {
|
||||
account$: this.account$,
|
||||
});
|
||||
|
||||
settings.pipe(takeUntil(this.destroyed$)).subscribe((s) => {
|
||||
this.settings.patchValue(s, { emitEvent: false });
|
||||
@@ -77,19 +89,6 @@ export class UsernameSettingsComponent implements OnInit, OnDestroy {
|
||||
this.saveSettings.next(site);
|
||||
}
|
||||
|
||||
private singleUserId$() {
|
||||
// FIXME: this branch should probably scan for the user and make sure
|
||||
// the account is unlocked
|
||||
if (this.userId) {
|
||||
return new BehaviorSubject(this.userId as UserId).asObservable();
|
||||
}
|
||||
|
||||
return this.accountService.activeAccount$.pipe(
|
||||
completeOnAccountSwitch(),
|
||||
takeUntil(this.destroyed$),
|
||||
);
|
||||
}
|
||||
|
||||
private readonly destroyed$ = new Subject<void>();
|
||||
ngOnDestroy(): void {
|
||||
this.destroyed$.next();
|
||||
|
||||
@@ -67,6 +67,7 @@ const forwarder = Object.freeze({
|
||||
key: "addyIoForwarder",
|
||||
target: "object",
|
||||
format: "secret-state",
|
||||
frame: 512,
|
||||
classifier: new PrivateClassifier<AddyIoSettings>(),
|
||||
state: GENERATOR_DISK,
|
||||
initial: defaultSettings,
|
||||
|
||||
@@ -56,6 +56,7 @@ const forwarder = Object.freeze({
|
||||
key: "duckDuckGoForwarder",
|
||||
target: "object",
|
||||
format: "secret-state",
|
||||
frame: 512,
|
||||
classifier: new PrivateClassifier<DuckDuckGoSettings>(),
|
||||
state: GENERATOR_DISK,
|
||||
initial: defaultSettings,
|
||||
|
||||
@@ -126,6 +126,7 @@ const forwarder = Object.freeze({
|
||||
key: "fastmailForwarder",
|
||||
target: "object",
|
||||
format: "secret-state",
|
||||
frame: 512,
|
||||
classifier: new PrivateClassifier<FastmailSettings>(),
|
||||
state: GENERATOR_DISK,
|
||||
initial: defaultSettings,
|
||||
|
||||
@@ -60,6 +60,7 @@ const forwarder = Object.freeze({
|
||||
key: "firefoxRelayForwarder",
|
||||
target: "object",
|
||||
format: "secret-state",
|
||||
frame: 512,
|
||||
classifier: new PrivateClassifier<FirefoxRelaySettings>(),
|
||||
state: GENERATOR_DISK,
|
||||
initial: defaultSettings,
|
||||
|
||||
@@ -63,6 +63,7 @@ const forwarder = Object.freeze({
|
||||
key: "forwardEmailForwarder",
|
||||
target: "object",
|
||||
format: "secret-state",
|
||||
frame: 512,
|
||||
classifier: new PrivateClassifier<ForwardEmailSettings>(),
|
||||
state: GENERATOR_DISK,
|
||||
initial: defaultSettings,
|
||||
|
||||
@@ -66,6 +66,7 @@ const forwarder = Object.freeze({
|
||||
key: "simpleLoginForwarder",
|
||||
target: "object",
|
||||
format: "secret-state",
|
||||
frame: 512,
|
||||
classifier: new PrivateClassifier<SimpleLoginSettings>(),
|
||||
state: GENERATOR_DISK,
|
||||
initial: defaultSettings,
|
||||
|
||||
@@ -1,7 +1,7 @@
|
||||
// FIXME: remove ts-strict-ignore once `FakeAccountService` implements ts strict support
|
||||
// @ts-strict-ignore
|
||||
import { mock } from "jest-mock-extended";
|
||||
import { BehaviorSubject, firstValueFrom, Subject } from "rxjs";
|
||||
import { BehaviorSubject, firstValueFrom, map, Subject } from "rxjs";
|
||||
|
||||
import { ApiService } from "@bitwarden/common/abstractions/api.service";
|
||||
import { PolicyService } from "@bitwarden/common/admin-console/abstractions/policy/policy.service.abstraction";
|
||||
@@ -11,6 +11,7 @@ import { I18nService } from "@bitwarden/common/platform/abstractions/i18n.servic
|
||||
import { GENERATOR_DISK, UserKeyDefinition } from "@bitwarden/common/platform/state";
|
||||
import { LegacyEncryptorProvider } from "@bitwarden/common/tools/cryptography/legacy-encryptor-provider";
|
||||
import { UserEncryptor } from "@bitwarden/common/tools/cryptography/user-encryptor.abstraction";
|
||||
import { disabledSemanticLoggerProvider } from "@bitwarden/common/tools/log";
|
||||
import { StateConstraints } from "@bitwarden/common/tools/types";
|
||||
import { OrganizationId, PolicyId, UserId } from "@bitwarden/common/types/guid";
|
||||
|
||||
@@ -164,11 +165,13 @@ const SomeUser = "SomeUser" as UserId;
|
||||
const AnotherUser = "SomeOtherUser" as UserId;
|
||||
const accounts = {
|
||||
[SomeUser]: {
|
||||
id: SomeUser,
|
||||
name: "some user",
|
||||
email: "some.user@example.com",
|
||||
emailVerified: true,
|
||||
},
|
||||
[AnotherUser]: {
|
||||
id: AnotherUser,
|
||||
name: "some other user",
|
||||
email: "some.other.user@example.com",
|
||||
emailVerified: true,
|
||||
@@ -187,16 +190,26 @@ const i18nService = mock<I18nService>();
|
||||
const apiService = mock<ApiService>();
|
||||
|
||||
const encryptor = mock<UserEncryptor>();
|
||||
const encryptorProvider = mock<LegacyEncryptorProvider>();
|
||||
const encryptorProvider = mock<LegacyEncryptorProvider>({
|
||||
userEncryptor$(_, dependencies) {
|
||||
return dependencies.singleUserId$.pipe(map((userId) => ({ userId, encryptor })));
|
||||
},
|
||||
});
|
||||
|
||||
const account$ = new BehaviorSubject(accounts[SomeUser]);
|
||||
|
||||
const providers = {
|
||||
encryptor: encryptorProvider,
|
||||
state: stateProvider,
|
||||
log: disabledSemanticLoggerProvider,
|
||||
};
|
||||
|
||||
describe("CredentialGeneratorService", () => {
|
||||
beforeEach(async () => {
|
||||
await accountService.switchAccount(SomeUser);
|
||||
policyService.getAll$.mockImplementation(() => new BehaviorSubject([]).asObservable());
|
||||
i18nService.t.mockImplementation((key) => key);
|
||||
i18nService.t.mockImplementation((key: string) => key);
|
||||
apiService.fetch.mockImplementation(() => Promise.resolve(mock<Response>()));
|
||||
const encryptor$ = new BehaviorSubject({ userId: SomeUser, encryptor });
|
||||
encryptorProvider.userEncryptor$.mockReturnValue(encryptor$);
|
||||
jest.clearAllMocks();
|
||||
});
|
||||
|
||||
@@ -205,18 +218,16 @@ describe("CredentialGeneratorService", () => {
|
||||
await stateProvider.setUserState(SettingsKey, { foo: "value" }, SomeUser);
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
providers,
|
||||
);
|
||||
const on$ = new Subject<GenerateRequest>();
|
||||
let complete = false;
|
||||
|
||||
// confirm no emission during subscription
|
||||
generator.generate$(SomeConfiguration, { on$ }).subscribe({
|
||||
generator.generate$(SomeConfiguration, { on$, account$ }).subscribe({
|
||||
complete: () => {
|
||||
complete = true;
|
||||
},
|
||||
@@ -232,15 +243,15 @@ describe("CredentialGeneratorService", () => {
|
||||
await stateProvider.setUserState(SettingsKey, settings, SomeUser);
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
providers,
|
||||
);
|
||||
const on$ = new BehaviorSubject<GenerateRequest>({ source: "some source" });
|
||||
const generated = new ObservableTracker(generator.generate$(SomeConfiguration, { on$ }));
|
||||
const generated = new ObservableTracker(
|
||||
generator.generate$(SomeConfiguration, { on$, account$ }),
|
||||
);
|
||||
|
||||
const result = await generated.expectEmission();
|
||||
|
||||
@@ -252,49 +263,21 @@ describe("CredentialGeneratorService", () => {
|
||||
await stateProvider.setUserState(SettingsKey, settings, SomeUser);
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
providers,
|
||||
);
|
||||
const on$ = new BehaviorSubject({ website: "some website" });
|
||||
const generated = new ObservableTracker(generator.generate$(SomeConfiguration, { on$ }));
|
||||
const generated = new ObservableTracker(
|
||||
generator.generate$(SomeConfiguration, { on$, account$ }),
|
||||
);
|
||||
|
||||
const result = await generated.expectEmission();
|
||||
|
||||
expect(result.website).toEqual("some website");
|
||||
});
|
||||
|
||||
it("uses the active user's settings", async () => {
|
||||
const someSettings = { foo: "some value" };
|
||||
const anotherSettings = { foo: "another value" };
|
||||
await stateProvider.setUserState(SettingsKey, someSettings, SomeUser);
|
||||
await stateProvider.setUserState(SettingsKey, anotherSettings, AnotherUser);
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
);
|
||||
const on$ = new BehaviorSubject({});
|
||||
const generated = new ObservableTracker(generator.generate$(SomeConfiguration, { on$ }));
|
||||
|
||||
await accountService.switchAccount(AnotherUser);
|
||||
on$.next({});
|
||||
await generated.pauseUntilReceived(2);
|
||||
generated.unsubscribe();
|
||||
|
||||
expect(generated.emissions).toEqual([
|
||||
new GeneratedCredential("some value", SomeAlgorithm, SomeTime),
|
||||
new GeneratedCredential("another value", SomeAlgorithm, SomeTime),
|
||||
]);
|
||||
});
|
||||
|
||||
// FIXME: test these when the fake state provider can create the required emissions
|
||||
it.todo("errors when the settings error");
|
||||
it.todo("completes when the settings complete");
|
||||
@@ -304,17 +287,15 @@ describe("CredentialGeneratorService", () => {
|
||||
await stateProvider.setUserState(SettingsKey, { foo: "another" }, AnotherUser);
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
providers,
|
||||
);
|
||||
const userId$ = new BehaviorSubject(AnotherUser).asObservable();
|
||||
const account$ = new BehaviorSubject(accounts[AnotherUser]).asObservable();
|
||||
const on$ = new Subject<GenerateRequest>();
|
||||
const generated = new ObservableTracker(
|
||||
generator.generate$(SomeConfiguration, { on$, userId$ }),
|
||||
generator.generate$(SomeConfiguration, { on$, account$ }),
|
||||
);
|
||||
on$.next({});
|
||||
|
||||
@@ -327,23 +308,21 @@ describe("CredentialGeneratorService", () => {
|
||||
await stateProvider.setUserState(SettingsKey, null, SomeUser);
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
providers,
|
||||
);
|
||||
const on$ = new Subject<GenerateRequest>();
|
||||
const userId$ = new BehaviorSubject(SomeUser);
|
||||
const account$ = new BehaviorSubject(accounts[SomeUser]);
|
||||
let error = null;
|
||||
|
||||
generator.generate$(SomeConfiguration, { on$, userId$ }).subscribe({
|
||||
generator.generate$(SomeConfiguration, { on$, account$ }).subscribe({
|
||||
error: (e: unknown) => {
|
||||
error = e;
|
||||
},
|
||||
});
|
||||
userId$.error({ some: "error" });
|
||||
account$.error({ some: "error" });
|
||||
await awaitAsync();
|
||||
|
||||
expect(error).toEqual({ some: "error" });
|
||||
@@ -353,23 +332,21 @@ describe("CredentialGeneratorService", () => {
|
||||
await stateProvider.setUserState(SettingsKey, null, SomeUser);
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
providers,
|
||||
);
|
||||
const on$ = new Subject<GenerateRequest>();
|
||||
const userId$ = new BehaviorSubject(SomeUser);
|
||||
const account$ = new BehaviorSubject(accounts[SomeUser]);
|
||||
let completed = false;
|
||||
|
||||
generator.generate$(SomeConfiguration, { on$, userId$ }).subscribe({
|
||||
generator.generate$(SomeConfiguration, { on$, account$ }).subscribe({
|
||||
complete: () => {
|
||||
completed = true;
|
||||
},
|
||||
});
|
||||
userId$.complete();
|
||||
account$.complete();
|
||||
await awaitAsync();
|
||||
|
||||
expect(completed).toBeTruthy();
|
||||
@@ -380,19 +357,17 @@ describe("CredentialGeneratorService", () => {
|
||||
await stateProvider.setUserState(SettingsKey, { foo: "value" }, SomeUser);
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
providers,
|
||||
);
|
||||
const on$ = new Subject<GenerateRequest>();
|
||||
const results: any[] = [];
|
||||
|
||||
// confirm no emission during subscription
|
||||
const sub = generator
|
||||
.generate$(SomeConfiguration, { on$ })
|
||||
.generate$(SomeConfiguration, { on$, account$ })
|
||||
.subscribe((result) => results.push(result));
|
||||
await awaitAsync();
|
||||
expect(results.length).toEqual(0);
|
||||
@@ -422,18 +397,16 @@ describe("CredentialGeneratorService", () => {
|
||||
await stateProvider.setUserState(SettingsKey, { foo: "value" }, SomeUser);
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
providers,
|
||||
);
|
||||
const on$ = new Subject<GenerateRequest>();
|
||||
let error: any = null;
|
||||
|
||||
// confirm no emission during subscription
|
||||
generator.generate$(SomeConfiguration, { on$ }).subscribe({
|
||||
generator.generate$(SomeConfiguration, { on$, account$ }).subscribe({
|
||||
error: (e: unknown) => {
|
||||
error = e;
|
||||
},
|
||||
@@ -452,12 +425,10 @@ describe("CredentialGeneratorService", () => {
|
||||
it("outputs password generation metadata", () => {
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
providers,
|
||||
);
|
||||
|
||||
const result = generator.algorithms("password");
|
||||
@@ -473,12 +444,10 @@ describe("CredentialGeneratorService", () => {
|
||||
it("outputs username generation metadata", () => {
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
providers,
|
||||
);
|
||||
|
||||
const result = generator.algorithms("username");
|
||||
@@ -493,12 +462,10 @@ describe("CredentialGeneratorService", () => {
|
||||
it("outputs email generation metadata", () => {
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
providers,
|
||||
);
|
||||
|
||||
const result = generator.algorithms("email");
|
||||
@@ -514,12 +481,10 @@ describe("CredentialGeneratorService", () => {
|
||||
it("combines metadata across categories", () => {
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
providers,
|
||||
);
|
||||
|
||||
const result = generator.algorithms(["username", "email"]);
|
||||
@@ -539,15 +504,13 @@ describe("CredentialGeneratorService", () => {
|
||||
it("returns password metadata", async () => {
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
providers,
|
||||
);
|
||||
|
||||
const result = await firstValueFrom(generator.algorithms$("password"));
|
||||
const result = await firstValueFrom(generator.algorithms$("password", { account$ }));
|
||||
|
||||
expect(result.some((a) => a.id === Generators.password.id)).toBeTruthy();
|
||||
expect(result.some((a) => a.id === Generators.passphrase.id)).toBeTruthy();
|
||||
@@ -556,15 +519,13 @@ describe("CredentialGeneratorService", () => {
|
||||
it("returns username metadata", async () => {
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
providers,
|
||||
);
|
||||
|
||||
const result = await firstValueFrom(generator.algorithms$("username"));
|
||||
const result = await firstValueFrom(generator.algorithms$("username", { account$ }));
|
||||
|
||||
expect(result.some((a) => a.id === Generators.username.id)).toBeTruthy();
|
||||
});
|
||||
@@ -572,15 +533,13 @@ describe("CredentialGeneratorService", () => {
|
||||
it("returns email metadata", async () => {
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
providers,
|
||||
);
|
||||
|
||||
const result = await firstValueFrom(generator.algorithms$("email"));
|
||||
const result = await firstValueFrom(generator.algorithms$("email", { account$ }));
|
||||
|
||||
expect(result.some((a) => a.id === Generators.catchall.id)).toBeTruthy();
|
||||
expect(result.some((a) => a.id === Generators.subaddress.id)).toBeTruthy();
|
||||
@@ -589,15 +548,15 @@ describe("CredentialGeneratorService", () => {
|
||||
it("returns username and email metadata", async () => {
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
providers,
|
||||
);
|
||||
|
||||
const result = await firstValueFrom(generator.algorithms$(["username", "email"]));
|
||||
const result = await firstValueFrom(
|
||||
generator.algorithms$(["username", "email"], { account$ }),
|
||||
);
|
||||
|
||||
expect(result.some((a) => a.id === Generators.username.id)).toBeTruthy();
|
||||
expect(result.some((a) => a.id === Generators.catchall.id)).toBeTruthy();
|
||||
@@ -611,15 +570,13 @@ describe("CredentialGeneratorService", () => {
|
||||
policyService.getAll$.mockReturnValue(policy$);
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
providers,
|
||||
);
|
||||
|
||||
const result = await firstValueFrom(generator.algorithms$(["password"]));
|
||||
const result = await firstValueFrom(generator.algorithms$(["password"], { account$ }));
|
||||
|
||||
expect(policyService.getAll$).toHaveBeenCalledWith(PolicyType.PasswordGenerator, SomeUser);
|
||||
expect(result.some((a) => a.id === Generators.password.id)).toBeTruthy();
|
||||
@@ -627,26 +584,20 @@ describe("CredentialGeneratorService", () => {
|
||||
});
|
||||
|
||||
it("follows changes to the active user", async () => {
|
||||
// initialize local account service and state provider because this test is sensitive
|
||||
// to some shared data in `FakeAccountService`.
|
||||
const accountService = new FakeAccountService(accounts);
|
||||
const stateProvider = new FakeStateProvider(accountService);
|
||||
await accountService.switchAccount(SomeUser);
|
||||
const account$ = new BehaviorSubject(accounts[SomeUser]);
|
||||
policyService.getAll$.mockReturnValueOnce(new BehaviorSubject([passwordOverridePolicy]));
|
||||
policyService.getAll$.mockReturnValueOnce(new BehaviorSubject([passphraseOverridePolicy]));
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
providers,
|
||||
);
|
||||
const results: any = [];
|
||||
const sub = generator.algorithms$("password").subscribe((r) => results.push(r));
|
||||
const sub = generator.algorithms$("password", { account$ }).subscribe((r) => results.push(r));
|
||||
|
||||
await accountService.switchAccount(AnotherUser);
|
||||
account$.next(accounts[AnotherUser]);
|
||||
await awaitAsync();
|
||||
sub.unsubscribe();
|
||||
|
||||
@@ -673,16 +624,14 @@ describe("CredentialGeneratorService", () => {
|
||||
policyService.getAll$.mockReturnValueOnce(new BehaviorSubject([passwordOverridePolicy]));
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
providers,
|
||||
);
|
||||
const userId$ = new BehaviorSubject(AnotherUser).asObservable();
|
||||
const account$ = new BehaviorSubject(accounts[AnotherUser]).asObservable();
|
||||
|
||||
const result = await firstValueFrom(generator.algorithms$("password", { userId$ }));
|
||||
const result = await firstValueFrom(generator.algorithms$("password", { account$ }));
|
||||
|
||||
expect(policyService.getAll$).toHaveBeenCalledWith(PolicyType.PasswordGenerator, AnotherUser);
|
||||
expect(result.some((a: any) => a.id === Generators.password.id)).toBeTruthy();
|
||||
@@ -694,19 +643,17 @@ describe("CredentialGeneratorService", () => {
|
||||
policyService.getAll$.mockReturnValueOnce(new BehaviorSubject([passphraseOverridePolicy]));
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
providers,
|
||||
);
|
||||
const userId = new BehaviorSubject(SomeUser);
|
||||
const userId$ = userId.asObservable();
|
||||
const account = new BehaviorSubject(accounts[SomeUser]);
|
||||
const account$ = account.asObservable();
|
||||
const results: any = [];
|
||||
const sub = generator.algorithms$("password", { userId$ }).subscribe((r) => results.push(r));
|
||||
const sub = generator.algorithms$("password", { account$ }).subscribe((r) => results.push(r));
|
||||
|
||||
userId.next(AnotherUser);
|
||||
account.next(accounts[AnotherUser]);
|
||||
await awaitAsync();
|
||||
sub.unsubscribe();
|
||||
|
||||
@@ -724,23 +671,21 @@ describe("CredentialGeneratorService", () => {
|
||||
policyService.getAll$.mockReturnValueOnce(new BehaviorSubject([passwordOverridePolicy]));
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
providers,
|
||||
);
|
||||
const userId = new BehaviorSubject(SomeUser);
|
||||
const userId$ = userId.asObservable();
|
||||
const account = new BehaviorSubject(accounts[SomeUser]);
|
||||
const account$ = account.asObservable();
|
||||
let error = null;
|
||||
|
||||
generator.algorithms$("password", { userId$ }).subscribe({
|
||||
generator.algorithms$("password", { account$ }).subscribe({
|
||||
error: (e: unknown) => {
|
||||
error = e;
|
||||
},
|
||||
});
|
||||
userId.error({ some: "error" });
|
||||
account.error({ some: "error" });
|
||||
await awaitAsync();
|
||||
|
||||
expect(error).toEqual({ some: "error" });
|
||||
@@ -750,23 +695,21 @@ describe("CredentialGeneratorService", () => {
|
||||
policyService.getAll$.mockReturnValueOnce(new BehaviorSubject([passwordOverridePolicy]));
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
providers,
|
||||
);
|
||||
const userId = new BehaviorSubject(SomeUser);
|
||||
const userId$ = userId.asObservable();
|
||||
const account = new BehaviorSubject(accounts[SomeUser]);
|
||||
const account$ = account.asObservable();
|
||||
let completed = false;
|
||||
|
||||
generator.algorithms$("password", { userId$ }).subscribe({
|
||||
generator.algorithms$("password", { account$ }).subscribe({
|
||||
complete: () => {
|
||||
completed = true;
|
||||
},
|
||||
});
|
||||
userId.complete();
|
||||
account.complete();
|
||||
await awaitAsync();
|
||||
|
||||
expect(completed).toBeTruthy();
|
||||
@@ -776,26 +719,24 @@ describe("CredentialGeneratorService", () => {
|
||||
policyService.getAll$.mockReturnValueOnce(new BehaviorSubject([passwordOverridePolicy]));
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
providers,
|
||||
);
|
||||
const userId = new BehaviorSubject(SomeUser);
|
||||
const userId$ = userId.asObservable();
|
||||
const account = new BehaviorSubject(accounts[SomeUser]);
|
||||
const account$ = account.asObservable();
|
||||
let count = 0;
|
||||
|
||||
const sub = generator.algorithms$("password", { userId$ }).subscribe({
|
||||
const sub = generator.algorithms$("password", { account$ }).subscribe({
|
||||
next: () => {
|
||||
count++;
|
||||
},
|
||||
});
|
||||
await awaitAsync();
|
||||
userId.next(SomeUser);
|
||||
account.next(accounts[SomeUser]);
|
||||
await awaitAsync();
|
||||
userId.next(SomeUser);
|
||||
account.next(accounts[SomeUser]);
|
||||
await awaitAsync();
|
||||
sub.unsubscribe();
|
||||
|
||||
@@ -808,15 +749,13 @@ describe("CredentialGeneratorService", () => {
|
||||
await stateProvider.setUserState(SettingsKey, null, SomeUser);
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
providers,
|
||||
);
|
||||
|
||||
const result = await firstValueFrom(generator.settings$(SomeConfiguration));
|
||||
const result = await firstValueFrom(generator.settings$(SomeConfiguration, { account$ }));
|
||||
|
||||
expect(result).toEqual(SomeConfiguration.settings.initial);
|
||||
});
|
||||
@@ -826,15 +765,13 @@ describe("CredentialGeneratorService", () => {
|
||||
await stateProvider.setUserState(SettingsKey, settings, SomeUser);
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
providers,
|
||||
);
|
||||
|
||||
const result = await firstValueFrom(generator.settings$(SomeConfiguration));
|
||||
const result = await firstValueFrom(generator.settings$(SomeConfiguration, { account$ }));
|
||||
|
||||
expect(result).toEqual(settings);
|
||||
});
|
||||
@@ -846,121 +783,54 @@ describe("CredentialGeneratorService", () => {
|
||||
policyService.getAll$.mockReturnValue(policy$);
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
providers,
|
||||
);
|
||||
|
||||
const result = await firstValueFrom(generator.settings$(SomeConfiguration));
|
||||
const result = await firstValueFrom(generator.settings$(SomeConfiguration, { account$ }));
|
||||
|
||||
expect(result).toEqual({ foo: "adjusted(value)" });
|
||||
});
|
||||
|
||||
it("follows changes to the active user", async () => {
|
||||
// initialize local account service and state provider because this test is sensitive
|
||||
// to some shared data in `FakeAccountService`.
|
||||
const accountService = new FakeAccountService(accounts);
|
||||
const stateProvider = new FakeStateProvider(accountService);
|
||||
await accountService.switchAccount(SomeUser);
|
||||
const someSettings = { foo: "value" };
|
||||
const anotherSettings = { foo: "another" };
|
||||
await stateProvider.setUserState(SettingsKey, someSettings, SomeUser);
|
||||
await stateProvider.setUserState(SettingsKey, anotherSettings, AnotherUser);
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
);
|
||||
const results: any = [];
|
||||
const sub = generator.settings$(SomeConfiguration).subscribe((r) => results.push(r));
|
||||
|
||||
await accountService.switchAccount(AnotherUser);
|
||||
await awaitAsync();
|
||||
sub.unsubscribe();
|
||||
|
||||
const [someResult, anotherResult] = results;
|
||||
expect(someResult).toEqual(someSettings);
|
||||
expect(anotherResult).toEqual(anotherSettings);
|
||||
});
|
||||
|
||||
it("reads an arbitrary user's settings", async () => {
|
||||
await stateProvider.setUserState(SettingsKey, { foo: "value" }, SomeUser);
|
||||
const anotherSettings = { foo: "another" };
|
||||
await stateProvider.setUserState(SettingsKey, anotherSettings, AnotherUser);
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
providers,
|
||||
);
|
||||
const userId$ = new BehaviorSubject(AnotherUser).asObservable();
|
||||
const account$ = new BehaviorSubject(accounts[AnotherUser]).asObservable();
|
||||
|
||||
const result = await firstValueFrom(generator.settings$(SomeConfiguration, { userId$ }));
|
||||
const result = await firstValueFrom(generator.settings$(SomeConfiguration, { account$ }));
|
||||
|
||||
expect(result).toEqual(anotherSettings);
|
||||
});
|
||||
|
||||
it("follows changes to the arbitrary user", async () => {
|
||||
const someSettings = { foo: "value" };
|
||||
await stateProvider.setUserState(SettingsKey, someSettings, SomeUser);
|
||||
const anotherSettings = { foo: "another" };
|
||||
await stateProvider.setUserState(SettingsKey, anotherSettings, AnotherUser);
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
);
|
||||
const userId = new BehaviorSubject(SomeUser);
|
||||
const userId$ = userId.asObservable();
|
||||
const results: any = [];
|
||||
const sub = generator
|
||||
.settings$(SomeConfiguration, { userId$ })
|
||||
.subscribe((r) => results.push(r));
|
||||
|
||||
userId.next(AnotherUser);
|
||||
await awaitAsync();
|
||||
sub.unsubscribe();
|
||||
|
||||
const [someResult, anotherResult] = results;
|
||||
expect(someResult).toEqual(someSettings);
|
||||
expect(anotherResult).toEqual(anotherSettings);
|
||||
});
|
||||
|
||||
it("errors when the arbitrary user's stream errors", async () => {
|
||||
await stateProvider.setUserState(SettingsKey, null, SomeUser);
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
providers,
|
||||
);
|
||||
const userId = new BehaviorSubject(SomeUser);
|
||||
const userId$ = userId.asObservable();
|
||||
const account = new BehaviorSubject(accounts[SomeUser]);
|
||||
const account$ = account.asObservable();
|
||||
let error = null;
|
||||
|
||||
generator.settings$(SomeConfiguration, { userId$ }).subscribe({
|
||||
generator.settings$(SomeConfiguration, { account$ }).subscribe({
|
||||
error: (e: unknown) => {
|
||||
error = e;
|
||||
},
|
||||
});
|
||||
userId.error({ some: "error" });
|
||||
account.error({ some: "error" });
|
||||
await awaitAsync();
|
||||
|
||||
expect(error).toEqual({ some: "error" });
|
||||
@@ -970,72 +840,37 @@ describe("CredentialGeneratorService", () => {
|
||||
await stateProvider.setUserState(SettingsKey, null, SomeUser);
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
providers,
|
||||
);
|
||||
const userId = new BehaviorSubject(SomeUser);
|
||||
const userId$ = userId.asObservable();
|
||||
const account = new BehaviorSubject(accounts[SomeUser]);
|
||||
const account$ = account.asObservable();
|
||||
let completed = false;
|
||||
|
||||
generator.settings$(SomeConfiguration, { userId$ }).subscribe({
|
||||
generator.settings$(SomeConfiguration, { account$ }).subscribe({
|
||||
complete: () => {
|
||||
completed = true;
|
||||
},
|
||||
});
|
||||
userId.complete();
|
||||
account.complete();
|
||||
await awaitAsync();
|
||||
|
||||
expect(completed).toBeTruthy();
|
||||
});
|
||||
|
||||
it("ignores repeated arbitrary user emissions", async () => {
|
||||
await stateProvider.setUserState(SettingsKey, null, SomeUser);
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
);
|
||||
const userId = new BehaviorSubject(SomeUser);
|
||||
const userId$ = userId.asObservable();
|
||||
let count = 0;
|
||||
|
||||
const sub = generator.settings$(SomeConfiguration, { userId$ }).subscribe({
|
||||
next: () => {
|
||||
count++;
|
||||
},
|
||||
});
|
||||
await awaitAsync();
|
||||
userId.next(SomeUser);
|
||||
await awaitAsync();
|
||||
userId.next(SomeUser);
|
||||
await awaitAsync();
|
||||
sub.unsubscribe();
|
||||
|
||||
expect(count).toEqual(1);
|
||||
});
|
||||
});
|
||||
|
||||
describe("settings", () => {
|
||||
it("writes to the user's state", async () => {
|
||||
const singleUserId$ = new BehaviorSubject(SomeUser).asObservable();
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
providers,
|
||||
);
|
||||
const subject = await generator.settings(SomeConfiguration, { singleUserId$ });
|
||||
const subject = generator.settings(SomeConfiguration, { account$ });
|
||||
|
||||
subject.next({ foo: "next value" });
|
||||
await awaitAsync();
|
||||
@@ -1043,52 +878,22 @@ describe("CredentialGeneratorService", () => {
|
||||
|
||||
expect(result).toEqual({
|
||||
foo: "next value",
|
||||
// FIXME: don't leak this detail into the test
|
||||
"$^$ALWAYS_UPDATE_KLUDGE_PROPERTY$^$": 0,
|
||||
});
|
||||
});
|
||||
|
||||
it("waits for the user to become available", async () => {
|
||||
const singleUserId = new BehaviorSubject(null);
|
||||
const singleUserId$ = singleUserId.asObservable();
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
);
|
||||
|
||||
let completed = false;
|
||||
const promise = generator.settings(SomeConfiguration, { singleUserId$ }).then((settings) => {
|
||||
completed = true;
|
||||
return settings;
|
||||
});
|
||||
await awaitAsync();
|
||||
expect(completed).toBeFalsy();
|
||||
singleUserId.next(SomeUser);
|
||||
const result = await promise;
|
||||
|
||||
expect(result.userId).toEqual(SomeUser);
|
||||
});
|
||||
});
|
||||
|
||||
describe("policy$", () => {
|
||||
it("creates constraints without policy in effect when there is no policy", async () => {
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
providers,
|
||||
);
|
||||
const userId$ = new BehaviorSubject(SomeUser).asObservable();
|
||||
const account$ = new BehaviorSubject(accounts[SomeUser]).asObservable();
|
||||
|
||||
const result = await firstValueFrom(generator.policy$(SomeConfiguration, { userId$ }));
|
||||
const result = await firstValueFrom(generator.policy$(SomeConfiguration, { account$ }));
|
||||
|
||||
expect(result.constraints.policyInEffect).toBeFalsy();
|
||||
});
|
||||
@@ -1096,18 +901,16 @@ describe("CredentialGeneratorService", () => {
|
||||
it("creates constraints with policy in effect when there is a policy", async () => {
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
providers,
|
||||
);
|
||||
const userId$ = new BehaviorSubject(SomeUser).asObservable();
|
||||
const account$ = new BehaviorSubject(accounts[SomeUser]).asObservable();
|
||||
const policy$ = new BehaviorSubject([somePolicy]);
|
||||
policyService.getAll$.mockReturnValue(policy$);
|
||||
|
||||
const result = await firstValueFrom(generator.policy$(SomeConfiguration, { userId$ }));
|
||||
const result = await firstValueFrom(generator.policy$(SomeConfiguration, { account$ }));
|
||||
|
||||
expect(result.constraints.policyInEffect).toBeTruthy();
|
||||
});
|
||||
@@ -1115,20 +918,18 @@ describe("CredentialGeneratorService", () => {
|
||||
it("follows policy emissions", async () => {
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
providers,
|
||||
);
|
||||
const userId = new BehaviorSubject(SomeUser);
|
||||
const userId$ = userId.asObservable();
|
||||
const account = new BehaviorSubject(accounts[SomeUser]);
|
||||
const account$ = account.asObservable();
|
||||
const somePolicySubject = new BehaviorSubject([somePolicy]);
|
||||
policyService.getAll$.mockReturnValueOnce(somePolicySubject.asObservable());
|
||||
const emissions: GeneratorConstraints<SomeSettings>[] = [];
|
||||
const sub = generator
|
||||
.policy$(SomeConfiguration, { userId$ })
|
||||
.policy$(SomeConfiguration, { account$ })
|
||||
.subscribe((policy) => emissions.push(policy));
|
||||
|
||||
// swap the active policy for an inactive policy
|
||||
@@ -1144,25 +945,23 @@ describe("CredentialGeneratorService", () => {
|
||||
it("follows user emissions", async () => {
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
providers,
|
||||
);
|
||||
const userId = new BehaviorSubject(SomeUser);
|
||||
const userId$ = userId.asObservable();
|
||||
const account = new BehaviorSubject(accounts[SomeUser]);
|
||||
const account$ = account.asObservable();
|
||||
const somePolicy$ = new BehaviorSubject([somePolicy]).asObservable();
|
||||
const anotherPolicy$ = new BehaviorSubject([]).asObservable();
|
||||
policyService.getAll$.mockReturnValueOnce(somePolicy$).mockReturnValueOnce(anotherPolicy$);
|
||||
const emissions: GeneratorConstraints<SomeSettings>[] = [];
|
||||
const sub = generator
|
||||
.policy$(SomeConfiguration, { userId$ })
|
||||
.policy$(SomeConfiguration, { account$ })
|
||||
.subscribe((policy) => emissions.push(policy));
|
||||
|
||||
// swapping the user invokes the return for `anotherPolicy$`
|
||||
userId.next(AnotherUser);
|
||||
account.next(accounts[AnotherUser]);
|
||||
await awaitAsync();
|
||||
sub.unsubscribe();
|
||||
const [someResult, anotherResult] = emissions;
|
||||
@@ -1174,24 +973,22 @@ describe("CredentialGeneratorService", () => {
|
||||
it("errors when the user errors", async () => {
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
providers,
|
||||
);
|
||||
const userId = new BehaviorSubject(SomeUser);
|
||||
const userId$ = userId.asObservable();
|
||||
const account = new BehaviorSubject(accounts[SomeUser]);
|
||||
const account$ = account.asObservable();
|
||||
const expectedError = { some: "error" };
|
||||
|
||||
let actualError: any = null;
|
||||
generator.policy$(SomeConfiguration, { userId$ }).subscribe({
|
||||
generator.policy$(SomeConfiguration, { account$ }).subscribe({
|
||||
error: (e: unknown) => {
|
||||
actualError = e;
|
||||
},
|
||||
});
|
||||
userId.error(expectedError);
|
||||
account.error(expectedError);
|
||||
await awaitAsync();
|
||||
|
||||
expect(actualError).toEqual(expectedError);
|
||||
@@ -1200,23 +997,21 @@ describe("CredentialGeneratorService", () => {
|
||||
it("completes when the user completes", async () => {
|
||||
const generator = new CredentialGeneratorService(
|
||||
randomizer,
|
||||
stateProvider,
|
||||
policyService,
|
||||
apiService,
|
||||
i18nService,
|
||||
encryptorProvider,
|
||||
accountService,
|
||||
providers,
|
||||
);
|
||||
const userId = new BehaviorSubject(SomeUser);
|
||||
const userId$ = userId.asObservable();
|
||||
const account = new BehaviorSubject(accounts[SomeUser]);
|
||||
const account$ = account.asObservable();
|
||||
|
||||
let completed = false;
|
||||
generator.policy$(SomeConfiguration, { userId$ }).subscribe({
|
||||
generator.policy$(SomeConfiguration, { account$ }).subscribe({
|
||||
complete: () => {
|
||||
completed = true;
|
||||
},
|
||||
});
|
||||
userId.complete();
|
||||
account.complete();
|
||||
await awaitAsync();
|
||||
|
||||
expect(completed).toBeTruthy();
|
||||
|
||||
@@ -1,39 +1,19 @@
|
||||
// FIXME: Update this file to be type safe and remove this and next line
|
||||
// @ts-strict-ignore
|
||||
import {
|
||||
BehaviorSubject,
|
||||
concatMap,
|
||||
distinctUntilChanged,
|
||||
endWith,
|
||||
filter,
|
||||
firstValueFrom,
|
||||
ignoreElements,
|
||||
map,
|
||||
Observable,
|
||||
ReplaySubject,
|
||||
switchMap,
|
||||
takeUntil,
|
||||
withLatestFrom,
|
||||
} from "rxjs";
|
||||
import { concatMap, distinctUntilChanged, map, Observable, switchMap, takeUntil } from "rxjs";
|
||||
import { Simplify } from "type-fest";
|
||||
|
||||
import { ApiService } from "@bitwarden/common/abstractions/api.service";
|
||||
import { PolicyService } from "@bitwarden/common/admin-console/abstractions/policy/policy.service.abstraction";
|
||||
import { PolicyType } from "@bitwarden/common/admin-console/enums";
|
||||
import { AccountService } from "@bitwarden/common/auth/abstractions/account.service";
|
||||
import { Account } from "@bitwarden/common/auth/abstractions/account.service";
|
||||
import { I18nService } from "@bitwarden/common/platform/abstractions/i18n.service";
|
||||
import { StateProvider } from "@bitwarden/common/platform/state";
|
||||
import { LegacyEncryptorProvider } from "@bitwarden/common/tools/cryptography/legacy-encryptor-provider";
|
||||
import {
|
||||
OnDependency,
|
||||
SingleUserDependency,
|
||||
UserDependency,
|
||||
} from "@bitwarden/common/tools/dependencies";
|
||||
import { BoundDependency, OnDependency } from "@bitwarden/common/tools/dependencies";
|
||||
import { IntegrationMetadata } from "@bitwarden/common/tools/integration";
|
||||
import { RestClient } from "@bitwarden/common/tools/integration/rpc";
|
||||
import { anyComplete, withLatestReady } from "@bitwarden/common/tools/rx";
|
||||
import { UserStateSubject } from "@bitwarden/common/tools/state/user-state-subject";
|
||||
import { UserId } from "@bitwarden/common/types/guid";
|
||||
import { UserStateSubjectDependencyProvider } from "@bitwarden/common/tools/state/user-state-subject-dependency-provider";
|
||||
|
||||
import { Randomizer } from "../abstractions";
|
||||
import {
|
||||
@@ -63,23 +43,17 @@ import { GeneratorConstraints } from "../types/generator-constraints";
|
||||
|
||||
import { PREFERENCES } from "./credential-preferences";
|
||||
|
||||
type Policy$Dependencies = UserDependency;
|
||||
type Settings$Dependencies = Partial<UserDependency>;
|
||||
type Generate$Dependencies = Simplify<OnDependency<GenerateRequest> & Partial<UserDependency>>;
|
||||
|
||||
type Algorithms$Dependencies = Partial<UserDependency>;
|
||||
|
||||
const OPTIONS_FRAME_SIZE = 512;
|
||||
type Generate$Dependencies = Simplify<
|
||||
OnDependency<GenerateRequest> & BoundDependency<"account", Account>
|
||||
>;
|
||||
|
||||
export class CredentialGeneratorService {
|
||||
constructor(
|
||||
private readonly randomizer: Randomizer,
|
||||
private readonly stateProvider: StateProvider,
|
||||
private readonly policyService: PolicyService,
|
||||
private readonly apiService: ApiService,
|
||||
private readonly i18nService: I18nService,
|
||||
private readonly encryptorProvider: LegacyEncryptorProvider,
|
||||
private readonly accountService: AccountService,
|
||||
private readonly providers: UserStateSubjectDependencyProvider,
|
||||
) {}
|
||||
|
||||
private getDependencyProvider(): GeneratorDependencyProvider {
|
||||
@@ -116,41 +90,34 @@ export class CredentialGeneratorService {
|
||||
|
||||
/** Emits metadata concerning the provided generation algorithms
|
||||
* @param category the category or categories of interest
|
||||
* @param dependences.userId$ when provided, the algorithms are filter to only
|
||||
* those matching the provided user's policy. Otherwise, emits the algorithms
|
||||
* available to the active user.
|
||||
* @param dependences.account$ algorithms are filtered to only
|
||||
* those matching the provided account's policy.
|
||||
* @returns An observable that emits algorithm metadata.
|
||||
*/
|
||||
algorithms$(
|
||||
category: CredentialCategory,
|
||||
dependencies?: Algorithms$Dependencies,
|
||||
dependencies: BoundDependency<"account", Account>,
|
||||
): Observable<AlgorithmInfo[]>;
|
||||
algorithms$(
|
||||
category: CredentialCategory[],
|
||||
dependencies?: Algorithms$Dependencies,
|
||||
dependencies: BoundDependency<"account", Account>,
|
||||
): Observable<AlgorithmInfo[]>;
|
||||
algorithms$(
|
||||
category: CredentialCategory | CredentialCategory[],
|
||||
dependencies?: Algorithms$Dependencies,
|
||||
dependencies: BoundDependency<"account", Account>,
|
||||
) {
|
||||
// any cast required here because TypeScript fails to bind `category`
|
||||
// to the union-typed overload of `algorithms`.
|
||||
const algorithms = this.algorithms(category as any);
|
||||
|
||||
// fall back to default bindings
|
||||
const userId$ = dependencies?.userId$ ?? this.stateProvider.activeUserId$;
|
||||
|
||||
// monitor completion
|
||||
const completion$ = userId$.pipe(ignoreElements(), endWith(true));
|
||||
|
||||
// apply policy
|
||||
const algorithms$ = userId$.pipe(
|
||||
const algorithms$ = dependencies.account$.pipe(
|
||||
distinctUntilChanged(),
|
||||
switchMap((userId) => {
|
||||
// complete policy emissions otherwise `switchMap` holds `algorithms$` open indefinitely
|
||||
const policies$ = this.policyService.getAll$(PolicyType.PasswordGenerator, userId).pipe(
|
||||
switchMap((account) => {
|
||||
const policies$ = this.policyService.getAll$(PolicyType.PasswordGenerator, account.id).pipe(
|
||||
map((p) => new Set(availableAlgorithms(p))),
|
||||
takeUntil(completion$),
|
||||
// complete policy emissions otherwise `switchMap` holds `algorithms$` open indefinitely
|
||||
takeUntil(anyComplete(dependencies.account$)),
|
||||
);
|
||||
return policies$;
|
||||
}),
|
||||
@@ -234,140 +201,89 @@ export class CredentialGeneratorService {
|
||||
|
||||
/** Get the settings for the provided configuration
|
||||
* @param configuration determines which generator's settings are loaded
|
||||
* @param dependencies.userId$ identifies the user to which the settings are bound.
|
||||
* If this parameter is not provided, the observable follows the active user and
|
||||
* may not complete.
|
||||
* @param dependencies.account$ identifies the account to which the settings are bound.
|
||||
* @returns an observable that emits settings
|
||||
* @remarks the observable enforces policies on the settings
|
||||
*/
|
||||
settings$<Settings extends object, Policy>(
|
||||
configuration: Configuration<Settings, Policy>,
|
||||
dependencies?: Settings$Dependencies,
|
||||
dependencies: BoundDependency<"account", Account>,
|
||||
) {
|
||||
const userId$ = dependencies?.userId$ ?? this.stateProvider.activeUserId$;
|
||||
const constraints$ = this.policy$(configuration, { userId$ });
|
||||
const constraints$ = this.policy$(configuration, dependencies);
|
||||
|
||||
const settings$ = userId$.pipe(
|
||||
filter((userId) => !!userId),
|
||||
distinctUntilChanged(),
|
||||
switchMap((userId) => {
|
||||
const singleUserId$ = new BehaviorSubject(userId);
|
||||
const singleUserEncryptor$ = this.encryptorProvider.userEncryptor$(OPTIONS_FRAME_SIZE, {
|
||||
singleUserId$,
|
||||
});
|
||||
const settings = new UserStateSubject(configuration.settings.account, this.providers, {
|
||||
constraints$,
|
||||
account$: dependencies.account$,
|
||||
});
|
||||
|
||||
const state$ = new UserStateSubject(
|
||||
configuration.settings.account,
|
||||
(key) => this.stateProvider.getUser(userId, key),
|
||||
{ constraints$, singleUserEncryptor$ },
|
||||
);
|
||||
return state$;
|
||||
}),
|
||||
const settings$ = settings.pipe(
|
||||
map((settings) => settings ?? structuredClone(configuration.settings.initial)),
|
||||
takeUntil(anyComplete(userId$)),
|
||||
);
|
||||
|
||||
return settings$;
|
||||
}
|
||||
|
||||
/** Get a subject bound to credential generator preferences.
|
||||
* @param dependencies.singleUserId$ identifies the user to which the preferences are bound
|
||||
* @returns a promise that resolves with the subject once `dependencies.singleUserId$`
|
||||
* becomes available.
|
||||
* @param dependencies.account$ identifies the account to which the preferences are bound
|
||||
* @returns a subject bound to the user's preferences
|
||||
* @remarks Preferences determine which algorithms are used when generating a
|
||||
* credential from a credential category (e.g. `PassX` or `Username`). Preferences
|
||||
* should not be used to hold navigation history. Use @bitwarden/generator-navigation
|
||||
* instead.
|
||||
*/
|
||||
async preferences(
|
||||
dependencies: SingleUserDependency,
|
||||
): Promise<UserStateSubject<CredentialPreference>> {
|
||||
const singleUserId$ = new ReplaySubject<UserId>(1);
|
||||
dependencies.singleUserId$
|
||||
.pipe(
|
||||
filter((userId) => !!userId),
|
||||
distinctUntilChanged(),
|
||||
)
|
||||
.subscribe(singleUserId$);
|
||||
const singleUserEncryptor$ = this.encryptorProvider.userEncryptor$(OPTIONS_FRAME_SIZE, {
|
||||
singleUserId$,
|
||||
});
|
||||
const userId = await firstValueFrom(singleUserId$);
|
||||
|
||||
preferences(
|
||||
dependencies: BoundDependency<"account", Account>,
|
||||
): UserStateSubject<CredentialPreference> {
|
||||
// FIXME: enforce policy
|
||||
const subject = new UserStateSubject(
|
||||
PREFERENCES,
|
||||
(key) => this.stateProvider.getUser(userId, key),
|
||||
{ singleUserEncryptor$ },
|
||||
);
|
||||
const subject = new UserStateSubject(PREFERENCES, this.providers, dependencies);
|
||||
|
||||
return subject;
|
||||
}
|
||||
|
||||
/** Get a subject bound to a specific user's settings
|
||||
* @param configuration determines which generator's settings are loaded
|
||||
* @param dependencies.singleUserId$ identifies the user to which the settings are bound
|
||||
* @returns a promise that resolves with the subject once
|
||||
* `dependencies.singleUserId$` becomes available.
|
||||
* @param dependencies.account$ identifies the account to which the settings are bound
|
||||
* @returns a subject bound to the requested user's generator settings
|
||||
* @remarks the subject enforces policy for the settings
|
||||
*/
|
||||
async settings<Settings extends object, Policy>(
|
||||
settings<Settings extends object, Policy>(
|
||||
configuration: Readonly<Configuration<Settings, Policy>>,
|
||||
dependencies: SingleUserDependency,
|
||||
dependencies: BoundDependency<"account", Account>,
|
||||
) {
|
||||
const singleUserId$ = new ReplaySubject<UserId>(1);
|
||||
dependencies.singleUserId$
|
||||
.pipe(
|
||||
filter((userId) => !!userId),
|
||||
distinctUntilChanged(),
|
||||
)
|
||||
.subscribe(singleUserId$);
|
||||
const singleUserEncryptor$ = this.encryptorProvider.userEncryptor$(OPTIONS_FRAME_SIZE, {
|
||||
singleUserId$,
|
||||
const constraints$ = this.policy$(configuration, dependencies);
|
||||
|
||||
const subject = new UserStateSubject(configuration.settings.account, this.providers, {
|
||||
constraints$,
|
||||
account$: dependencies.account$,
|
||||
});
|
||||
const userId = await firstValueFrom(singleUserId$);
|
||||
|
||||
const constraints$ = this.policy$(configuration, { userId$: dependencies.singleUserId$ });
|
||||
|
||||
const subject = new UserStateSubject(
|
||||
configuration.settings.account,
|
||||
(key) => this.stateProvider.getUser(userId, key),
|
||||
{ constraints$, singleUserEncryptor$ },
|
||||
);
|
||||
|
||||
return subject;
|
||||
}
|
||||
|
||||
/** Get the policy constraints for the provided configuration
|
||||
* @param dependencies.userId$ determines which user's policy is loaded
|
||||
* @returns an observable that emits the policy once `dependencies.userId$`
|
||||
* @param dependencies.account$ determines which user's policy is loaded
|
||||
* @returns an observable that emits the policy once `dependencies.account$`
|
||||
* and the policy become available.
|
||||
*/
|
||||
policy$<Settings, Policy>(
|
||||
configuration: Configuration<Settings, Policy>,
|
||||
dependencies: Policy$Dependencies,
|
||||
dependencies: BoundDependency<"account", Account>,
|
||||
): Observable<GeneratorConstraints<Settings>> {
|
||||
const email$ = dependencies.userId$.pipe(
|
||||
distinctUntilChanged(),
|
||||
withLatestFrom(this.accountService.accounts$),
|
||||
filter((accounts) => !!accounts),
|
||||
map(([userId, accounts]) => {
|
||||
if (userId in accounts) {
|
||||
return { userId, email: accounts[userId].email };
|
||||
const constraints$ = dependencies.account$.pipe(
|
||||
map((account) => {
|
||||
if (account.emailVerified) {
|
||||
return { userId: account.id, email: account.email };
|
||||
}
|
||||
|
||||
return { userId, email: null };
|
||||
return { userId: account.id, email: null };
|
||||
}),
|
||||
);
|
||||
|
||||
const constraints$ = email$.pipe(
|
||||
switchMap(({ userId, email }) => {
|
||||
// complete policy emissions otherwise `switchMap` holds `policies$` open indefinitely
|
||||
const policies$ = this.policyService
|
||||
.getAll$(configuration.policy.type, userId)
|
||||
.pipe(
|
||||
mapPolicyToConstraints(configuration.policy, email),
|
||||
takeUntil(anyComplete(email$)),
|
||||
takeUntil(anyComplete(dependencies.account$)),
|
||||
);
|
||||
return policies$;
|
||||
}),
|
||||
|
||||
@@ -12,6 +12,7 @@ import { PolicyType } from "@bitwarden/common/admin-console/enums";
|
||||
import { AccountService } from "@bitwarden/common/auth/abstractions/account.service";
|
||||
import { getUserId } from "@bitwarden/common/auth/services/account.service";
|
||||
import { I18nService } from "@bitwarden/common/platform/abstractions/i18n.service";
|
||||
import { pin } from "@bitwarden/common/tools/rx";
|
||||
import { SendView } from "@bitwarden/common/tools/send/models/view/send.view";
|
||||
import { SendApiService } from "@bitwarden/common/tools/send/services/send-api.service.abstraction";
|
||||
import {
|
||||
@@ -122,8 +123,11 @@ export class SendOptionsComponent implements OnInit {
|
||||
|
||||
generatePassword = async () => {
|
||||
const on$ = new BehaviorSubject<GenerateRequest>({ source: "send" });
|
||||
const account$ = this.accountService.activeAccount$.pipe(
|
||||
pin({ name: () => "send-options.component", distinct: (p, c) => p.id === c.id }),
|
||||
);
|
||||
const generatedCredential = await firstValueFrom(
|
||||
this.generatorService.generate$(Generators.password, { on$ }),
|
||||
this.generatorService.generate$(Generators.password, { on$, account$ }),
|
||||
);
|
||||
|
||||
this.sendOptionsForm.patchValue({
|
||||
|
||||
Reference in New Issue
Block a user