Thanks to visit codestin.com
Credit goes to www.ripple-ts.com

Skip to content

Control flow

If statements

If blocks work seamlessly with Ripple's templating language, you can put them inside the JSX-like statements, making control-flow far easier to read and reason with.

ripple
export component Truthy({ x }) {
  <div>
    if (x) {
      <span>{'x is truthy'}</span>
    } else {
      <span>{'x is falsy'}</span>
    }
  </div>
}

Early return (guard clauses)

You can pair if blocks with return; to short-circuit the rest of the component body once a guard branch is hit.

ripple
import { track } from 'ripple';

export component AuthGate() {
  let is_logged_in = track(false);

  if (!@is_logged_in) {
    <p>{'Please sign in.'}</p>
    return;
  }

  <h1>{'Dashboard'}</h1>
  <p>{'Private content'}</p>
}

return in components is only valid as return;. Returning a value (including templates) is invalid.

Switch statements

Switch statements let you conditionally render content based on a value. They work with both static and reactive values.

ripple
export component StatusIndicator({ status }) {
  <div>
    switch (status) {
      case: 'init':
        // fall-through to the next
      case 'loading':
        <p>{'Loading...'}</p>
        break;
      case 'success':
        <p>{'Success!'}</p>
        break;
      case 'error':
        <p>{'Error!'}</p>
        break;
      default:
        <p>{'Unknown status'}</p>
    }
  </div>
}

You can also use reactive values with switch statements.

ripple
import { track } from 'ripple';

export component InteractiveStatus() {
  let status = track('loading');

  <button onClick={() => @status = 'success'}>{'Success'}</button>
  <button onClick={() => @status = 'error'}>{'Error'}</button>

  <div>
    switch (@status) {
      case 'init':
         <p>{'Init'}</p>
         // fall-through to the next
      case 'loading':
        <p>{'Loading...'}</p>
        break;
      case 'success':
        <p>{'Success!'}</p>
        break;
      case 'error':
        <p>{'Error!'}</p>
        break;
      default:
        <p>{'Unknown status'}</p>
    }
  </div>
}

For statements

You can render collections using a for...of loop.

ripple
component ListView({ title, items }) {
  <h2>{title}</h2>
  <ul>
    for (const item of items) {
      <li>{item.text}</li>
    }
  </ul>
}

// usage
export default component App() {
	<ListView
		title="My List"
		items={[
			{ text: "Item 1" },
			{ text: "Item 2" },
			{ text: "Item 3" },
		]}
	/>
}

The for...of loop has also a built-in support for accessing the loops numerical index. The label index declares a variable that will used to assign the loop's index.

ripple
  for (const item of items; index i) {
    <div>{item.label}{' at index '}{i}</div>
  }

You can also provide a key for efficient list updates and reconciliation:

ripple
  for (const item of items; index i; key item.id) {
    <div>{item.label}{' at index '}{i}</div>
  }

Key Usage Guidelines:

  • Arrays with #{} objects: Keys are usually unnecessary - object identity and reactivity handle updates automatically. Identity-based loops are more efficient with less bookkeeping.
  • Arrays with plain objects: Keys are needed when object reference isn't sufficient for identification. Use stable identifiers: key item.id.

You can use Ripple's reactive arrays to easily compose contents of an array.

ripple
import { TrackedArray } from 'ripple';

export component Numbers() {
  const array = new TrackedArray(1, 2, 3);

  for (const item of array; index i) {
    <div>{item}{' at index '}{i}</div>
  }

  <button onClick={() => array.push(array.length + 1)}>{"Add Item"}</button>
}

Clicking the <button> will create a new item.

Note

for...of loops inside components must contain either dom elements or components. Otherwise, the loop can be run inside an effect or function.

Try statements

Try blocks work to build the foundation for error boundaries, when the runtime encounters an error in the try block, you can easily render a fallback in the catch block.

ripple
import { reportError } from 'some-library';

export component ErrorBoundary() {
  <div>
    try {
      <ComponentThatFails />
    } catch (e) {
      reportError(e);

      <div>{'An error occurred! ' + e.message}</div>
    }
  </div>
}

Dynamic Elements

You can render dynamic HTML elements by storing the tag name in a tracked variable and using the <@tagName> syntax:

ripple
export component App() {
	let tag = track('div');

	<@tag class="dynamic">{'Hello World'}</@tag>
	<button onClick={() => @tag = @tag === 'div' ? 'span' : 'div'}>{'Toggle Element'}</button>
}

Async (Suspense boundaries) Experimental

Components can use await directly in their body — no async keyword needed. Everything before the first await renders immediately; everything after suspends until the promise resolves.

ripple
component UserProfile({ id }: { id: number }) {
  // Renders immediately
  <h1>{'Loading profile...'}</h1>

  // Suspends here until resolved
  const user = await fetchUser(id);

  // Renders after resolution
  <h1>{user.name}</h1>
  <p>{user.email}</p>
}

Wrap the component in a try/pending block to handle the suspended state:

ripple
export component App() {
  try {
    <UserProfile id={1} />
  } pending {
    <p>{'Loading...'}</p>
  } catch (e) {
    <p>{'Error: '}{e.message}</p>
  }
}

The {pending} clause shows while the component is suspended. The {catch} clause handles both sync throws and async rejections. Both clauses are optional and can be used independently.

Reactive async with await track(fn)

For async operations that should re-run when reactive dependencies change, use await track(fn). Any @tracked values read inside the function become dependencies — when they change the operation re-runs and the component re-suspends to the nearest try/pending boundary.

ripple
export component CitySearch() {
  let query = track('');

  // Renders immediately, never suspended
  <input type="text" value={@query} onInput={e => @query = e.target.value} />

  // Re-runs and re-suspends whenever @query changes
  const city = await track(() => fetchCity(@query));

  // Only renders once city has resolved for the current query
  <p>{'Showing: '}{@query}</p>
  <CityCard city={city} />
}

Note

When @query changes, everything above the await track line stays visible. Only the content below re-suspends and shows {pending} until the new fetch resolves.

Released under the MIT License.