Skip to content

Latest commit

Β 

History

History
592 lines (408 loc) Β· 21.1 KB

CHANGELOG.md

File metadata and controls

592 lines (408 loc) Β· 21.1 KB

Changelog

All notable changes to this project will be documented in this file.

Breaking changes marked with a πŸ’₯

[0.16.4] - 2021-12-08

Bug Fixes

  • Update core to fix workflow semaphore not released on cache miss (#424)

Features

  • Default WorkflowHandle generic T param to Workflow (#419)

Miscellaneous Tasks

  • Add comments for unused query and signal generics (#402)

  • [docs] Expose worker.CoreOptions (#416)

  • [docs] Expose BundleOptions and remove __namedParameters (#404)

  • Remove proto usage from workflow runtime (#423)

    This is now possible because we're using vm instead of isolated-vm.

    • Greatly reduce workflow bundle size - SDK test bundle size went down from 2.77MB to 0.73MB
    • Step 1 in supporting custom data converter

Testing

  • Ignore github actions jobs that require secrets for external committers (#414)

[0.16.3] - 2021-11-29

Bug Fixes

  • [workflow] Fix argument wrapping in array when signaling from Workflow (#410)

    Before this fix, signal arguments sent from a workflow would be wrapped in an array, e.g:

    await child.signal(someSignal, 1, '2');

    Was received in the child workflow as:

    wf.setHandler(someSignal, (num: number, str: string) => {
      console.log(num, str); // [1, '2'] undefined
    });
  • [core] Upgrade Core to receive fixes to activity heartbeats (#411)

    • Fix hang in case Activity completes after heartbeat response indicates Activity timed out.

    • Behavior was incorrect and not inline with the other SDKs. Heartbeats are now throttled using a timer and Core does not count on user to keep sending heartbeats in order flush them out.

      Added 2 new WorkerOptions to control throttling:

      • maxHeartbeatThrottleInterval
      • defaultHeartbeatThrottleInterval

Miscellaneous Tasks

  • [docs] Explain that getHandle doesn't validate workflowId (#400)

  • Don't use fs-extra in create-project (#412)

    Fixes issue where fs-extra is incompatible with ESM as reported on slack.

[0.16.2] - 2021-11-23 - beta

Features

  • [worker] Add WorkerOptions.debugMode to enable debugging Workflows (#398)

[0.16.1] - 2021-11-22 - beta-rc.1

Features

  • [create-project] Use chalk-template instead of chalk-cli (#396)
    • Fixes issues where npx @temporalio/create fails to resolve the chalk executable

[0.16.0] - 2021-11-19 - beta-rc.0

Bug Fixes

  • [core] Update Core w/ specifying queue kind on polling (#389)

    • Must be specified for optimization reasons on server
  • [core] Update Core to receive bugfixes (#391)

    • Fix a situation where Core could get stuck polling if WFTs were repeatedly being failed
    • Do not fail Workflow if Lang (TypeScript) cancels something that's already completed (e.g. activity, timer, child workflow)
    • Fix for Core accidentally still sending commands sometimes for things that were cancelled immediately

Features

  • πŸ’₯ [client] Make workflowId required (#387)

    Also remove WorkflowClientOptions.workflowDefaults.

    Reasoning:

    • Workflow IDs should represent a meaningful business ID
    • Workflow IDs can be used as an idempotency key when starting workflows from an external signal
    • workflowDefaults were removed because their presence made taskQueue optional in WorkflowOptions, omitting it from both the defaults and options resulted in runtime errors where we could have caught those at compile time.

    Migration:

    // Before
    const client = new WorkflowClient(conn.service, { workflowDefaults: { taskQueue: 'example' } });
    const handle = await client.start(myWorkflow, { args: [foo, bar] });
    // After
    const client = new WorkflowClient(conn.service);
    const handle = await client.start(myWorkflow, {
      args: [foo, bar],
      taskQueue: 'example',
      workflowId: 'a-meaningful-business-id',
    });
  • Support Windows development (#385)

    • Support was added for using and developing the SDK on Windows
    • Thanks @cons0l3 and @cretz for the contribution
  • [workflow] Use vm instead of isolated-vm (#264)

    • Removes the node-gyp dependency and speeds up installation times
    • Uses Node's built-in AsyncLocalStorage implementation instead of our own
    • πŸ’₯ Requires an additional workflow interceptor if using @temporalio/interceptors-opentelemetry
    import { WorkflowInterceptors } from '@temporalio/workflow';
    import {
      OpenTelemetryInboundInterceptor,
      OpenTelemetryOutboundInterceptor,
      OpenTelemetryInternalsInterceptor,
    } from '@temporalio/interceptors-opentelemetry/lib/workflow';
    
    export const interceptors = (): WorkflowInterceptors => ({
      inbound: [new OpenTelemetryInboundInterceptor()],
      outbound: [new OpenTelemetryOutboundInterceptor()],
      // Disposes of the internal AsyncLocalStorage used for
      // the otel workflow context manager.
      internals: [new OpenTelemetryInternalsInterceptor()], // <-- new
    });
    • Unexpose the isolatePoolSize and isolateExecutionTimeout WorkerOptions

[0.15.0] - 2021-11-11

Bug Fixes

  • Fix type imports (#361)

  • Update core, changes for no more WF update errors (#366)

    Failing a Workflow task before this change could put the workflow in a stuck state.

  • πŸ’₯ [workflow] Throw if patches are used at Workflow top level (#369)

  • πŸ’₯ [workflow] Cancel timer created by condition (#372)

    Also clean up resources taken by the blocked condition.
    This change is incompatible with old Workflow histories.

  • πŸ’₯ [workflow] Ensure signals are always processed (#380)

    This fixes a critical issue where the SDK was not processing history events in the right order, for example, patches and signals should always be delivered before other events in the context of a single Workflow Task.

    This change is incompatible with old Workflow histories.

Features

  • πŸ’₯ [workflow] Change condition parameter order (#371)

    // Before
    const conditionIsTrue = await condition('1s', () => someBooleanVariable);
    // After
    const conditionIsTrue = await condition(() => someBooleanVariable, '1s');
  • πŸ’₯ Rename ExternalDependencies to Sinks (#370)

  • Support complication on Mac for aarch64-unknown-linux-gnu (#378)

[0.14.0] - 2021-11-03

Bug Fixes

  • Add missing index.d.ts to published files in core-bridge package (#347)
  • [docs] Update algolia index name (#350)
  • [core] Update core to gain infinite poll retries (#355)
  • [worker] Fix Worker possible hang after graceful shutdown period expires (#356)

Features

  • πŸ’₯ [workflow] Rename createActivityHandle to proxyActivities (#351)

  • The function's usage remains the same, only the name was changed.

    Before:

    import { createActivityHandle } from '@temporalio/workflow';
    import type * as activities from './activities';
    
    const { greet } = createActivityHandle<typeof activities>({
      startToCloseTimeout: '1 minute',
    });

    After:

    import { proxyActivities } from '@temporalio/workflow';
    import type * as activities from './activities';
    
    const { greet } = proxyActivities<typeof activities>({
      startToCloseTimeout: '1 minute',
    });

    Reasoning:

    • Clarify that the method returns a proxy
    • Avoid confusion with WorkflowHandle
  • πŸ’₯ [workflow] Rename setListener to setHandler (#352)

    BREAKING CHANGE: The function's usage remains the same, only the name was changed.

    Before:

    import { defineSignal, setListener, condition } from '@temporalio/workflow';
    import { unblockSignal } from './definitions';
    
    export const unblockSignal = defineSignal('unblock');
    
    export async function myWorkflow() {
      let isBlocked = true;
      setListener(unblockSignal, () => void (isBlocked = false));
      await condition(() => !isBlocked);
    }

    After:

    import { defineSignal, setHandler, condition } from '@temporalio/workflow';
    import { unblockSignal } from './definitions';
    
    export const unblockSignal = defineSignal('unblock');
    
    export async function myWorkflow() {
      let isBlocked = true;
      setHandler(unblockSignal, () => void (isBlocked = false));
      await condition(() => !isBlocked);
    }

    Reasoning:

    • It was our go-to name initially but we decided against it when to avoid confusion with the WorkflowHandle concept
    • Handling seems more accurate about what the function is doing than listening
    • With listeners it sounds like you can set multiple listeners, and handler doesn't
  • [worker] Add SIGUSR2 to default list of shutdown signals (#346)

  • πŸ’₯ [client] Use failure classes for WorkflowClient errors

    • Error handling for WorkflowClient and WorkflowHandle execute and result methods now throw WorkflowFailedError with the specific TemporalFailure as the cause. The following error classes were renamed:

      • WorkflowExecutionFailedError was renamed WorkflowFailedError.
      • WorkflowExecutionContinuedAsNewError was renamed WorkflowContinuedAsNewError.

    Before:

    try {
      await WorkflowClient.execute(myWorkflow, { taskQueue: 'example' });
    } catch (err) {
      if (err instanceof WorkflowExecutionFailedError && err.cause instanceof ApplicationFailure) {
        console.log('Workflow failed');
      } else if (err instanceof WorkflowExecutionTimedOutError) {
        console.log('Workflow timed out');
      } else if (err instanceof WorkflowExecutionTerminatedError) {
        console.log('Workflow terminated');
      } else if (err instanceof WorkflowExecutionCancelledError) {
        console.log('Workflow cancelled');
      }
    }

    After:

    try {
      await WorkflowClient.execute(myWorkflow, { taskQueue: 'example' });
    } catch (err) {
      if (err instanceof WorkflowFailedError) {
      ) {
        if (err.cause instanceof ApplicationFailure) {
          console.log('Workflow failed');
        } else if (err.cause instanceof TimeoutFailure) {
          console.log('Workflow timed out');
        } else if (err.cause instanceof TerminatedFailure) {
          console.log('Workflow terminated');
        } else if (err.cause instanceof CancelledFailure) {
          console.log('Workflow cancelled');
        }
    }

[0.13.0] - 2021-10-29

Bug Fixes

  • Fix and improve opentelemetry interceptors (#340)
    • πŸ’₯ Make makeWorkflowExporter resource param required
    • Fix Workflow span timestamps
    • Disable internal SDK tracing by default
    • Connect child workflow traces to their parent
    • Connect continueAsNew traces
    • Add activity type and workflow type to span names and copy format from Java SDK
    • πŸ’₯ Some breaking changes were made to the interceptor interfaces
      • workflowType input attribute is now consistently called workflowType
    • Change trace header name for compatibility with Go and Java tracing implementations

Features

  • Support bundling Workflow code prior to Worker creation (#336)

  • πŸ’₯ Refactor WorkflowHandle creation (#343)

    • WorkflowClient.start now returns a WorkflowHandle
    • WorkflowHandle no longer has start, signalWithStart and execute methods
    • WorkflowClient.signalWithStart was added
    • To get a handle to an existing Workflow use WorkflowClient.getHandle
    • wf.createChildWorklowHandle was renamed to wf.startChild and immediately starts the Workflow
    • wf.executeChild replaces ChildWorkflowHandle.execute
    • wf.createExternalWorkflowHandle was renamed to wf.getExternalWorkflowHandle

    Migration Guide

    WorkflowClient - Starting a new Workflow

    Before:

    const handle = await client.createWorkflowHandle(myWorkflow, { taskQueue: 'q' });
    await handle.start(arg1, arg2);

    After:

    const handle = await client.start(myWorkflow, { taskQueue: 'q', args: [arg1, arg2] });

    WorkflowClient - Starting a new Workflow and awaiting completion

    Before:

    const handle = await client.createWorkflowHandle(myWorkflow, { taskQueue: 'q' });
    const result = await handle.execute(arg1, arg2);

    After:

    const result = await client.execute(myWorkflow, { taskQueue: 'q', args: [arg1, arg2] });

    WorkflowClient - signalWithStart

    Before:

    const handle = await client.createWorkflowHandle(myWorkflow, { taskQueue: 'q' });
    await handle.signalWithStart(signalDef, [signalArg1, signalArg2], [wfArg1, wfArg2]);

    After:

    await client.signalWithStart(myWorkflow, {
      args: [wfArg1, wfArg2],
      taskQueue: 'q',
      signal: signalDef,
      signalArgs: [signalArg1, signalArg2],
    });

    WorkflowClient - Get handle to an existing Workflow

    Before:

    const handle = await client.createWorkflowHandle({ workflowId });

    After:

    const handle = await client.getHandle(workflowId);

    @temporalio/workflow - Start Child Workflow

    Before:

    const handle = await workflow.createChildWorkflowHandle(myWorkflow, { taskQueue: 'q' });
    await handle.start(arg1, arg2);

    After:

    const handle = await workflow.startChild(myWorkflow, { taskQueue: 'q', args: [arg1, arg2] });

    @temporalio/workflow - Start Child Workflow and await completion

    Before:

    const handle = await workflow.createChildWorkflowHandle(myWorkflow, { taskQueue: 'q' });
    const result = await handle.execute(arg1, arg2);

    After:

    const result = await workflow.executeChild(myWorkflow, { taskQueue: 'q', args: [arg1, arg2] });

    @temporalio/workflow - Get handle to an external Workflow

    Before:

    const handle = await workflow.createExternalWorkflowHandle(workflowId);

    After:

    const handle = await workflow.getExternalWorkflowHandle(workflowId);

Miscellaneous Tasks

  • Strip snipsync and exclude .dirs (#332)
  • Cleanup some TODOs and unaddressed PR comments (#342)

Testing

  • Update docker-compose server version to 1.13.0 (#338)

[0.12.0] - 2021-10-25

Bug Fixes

  • [workflow] Validate timer duration is positive (#328)
  • [worker] Provide better error messages when instantiating rust Core (#331)

Features

  • πŸ’₯ Restructure code in prep for vm transition (#317)

    • Decrease Workflow bundle size from ~7.44MB to ~2.75MB
    • πŸ’₯ Remove otel module from @temporalio/common default export
    • Rename WorkflowIsolateBuilder to WorkflowCodeBundler and remove unused methods
    • Add Workflow and WorkflowCreator interfaces to support pluggable workflow environments (prepare for VM)
    • πŸ’₯ Simplify external dependencies mechanism to only support void functions and remove the isolated-vm transfer options.
  • Support ms formatted string for activity.Context.sleep (#322)

  • πŸ’₯ Runtime determinism tweaks (#326)

    • Undelete WeakMap and WeakSet
    • Delete FinalizationRegistry

Miscellaneous Tasks

  • Change client name string to temporal-typescript (#306)
  • Rename to sdk-typescript (#320)

Testing

  • Print more useful information in load test (#315)

[0.11.1] - 2021-10-15

Bug Fixes

  • [proto] Remove core-bridge dependency from proto package (#295)
  • Indefinitely reconnect to server on poll errors (#298)
  • WorkflowHandle.signal() can take a string, default args to [] (#297)
  • Poll for Activities even if none registered (#300)
  • Delay query processing until workflow has started (#301)
  • Shutdown native worker on webpack errors and provide better error message (#302)

Features

  • Support ES Module based projects (#303)

Documentation

  • Add more links in per-package READMEs for NPM (#296)

Testing

  • Add nightly "load sampler" run (#281)
  • Add smorgasbord workflow
  • Address smorgasboard wf feedback
  • Test init from fetch-esm sample

[0.11.0] - 2021-10-12

Bug Fixes

  • [workflow] Export ChildWorkflowOptions and ParentClosePolicy
  • Don't set default workflowIdReusePolicy
  • Allow getting Date in Workflow top level

Features

  • [client] Add gRPC retry interceptors

  • Enhance @temporalio/create and use samples-node as its source (#273)

  • πŸ’₯[core] Change WARNING log level to WARN

  • Add Core option to forward logs from Rust to configurable Node logger

  • [workflow] Support ms formatted strings in sleep() function

  • πŸ’₯[worker] Remove workDir Worker option

    Activities and Workflows are not automatically detected anymore. nodeModulesPath has been renamed nodeModulesPaths to support resolution from multiple node_modules paths, the Worker will attempt to autodiscover node_modules based on provided workflowsPath.

  • [workflow] Provide better error message when calling createChildWorkflowHandle on unregistered workflow

  • πŸ’₯[client] Switch parameter order in WorkflowClient.execute and start methods

  • [workflow] Add condition helper function

  • Link Node / Core and interceptors/opentelemetry generated spans together

  • πŸ’₯[workflow] Implement Workflow API 3rd revision (#292)

    All existing Workflows need to be rewritten in the new form:

    import * as wf from '@temporalio/workflow';
    
    export const unblockSignal = wf.defineSignal('unblock');
    export const isBlockedQuery = wf.defineQuery<boolean>('isBlocked');
    
    export async function myWorkflow(arg1: number, arg2: string): Promise<void> {
      let isBlocked = true;
      wf.setListener(unblockSignal, () => void (isBlocked = false));
      wf.setListener(isBlockedQuery, () => isBlocked);
      await wf.condition(() => !isBlocked);
    }

    See the proposal for more information.

Miscellaneous Tasks

  • Remove port bindings from buildkite docker compose file
  • Remove unneeded bit of protection around shutdown now that core handles it
  • Reuse loaded package.json for ServerOptions.sdkVersion
  • Initial nightly long run implementation
  • Print error with traceback when promise hook fails
  • Pass client/version info to core, work with new options builders
  • Properly set otel context when calling into core
  • Handle scenario where worker is totally removed before calling next poll
  • Don't log empty metadata

Documentation

  • Fix double heartbeat() docstring