Skip to content

Weaverse/pilot.weaverse.dev

Β 
Β 

Repository files navigation

Pilot - Shopify Hydrogen Theme

πŸ“š Read the docs | πŸ—£ Join our community on Slack | 🐞 Report a bug

Weaverse + Hydrogen + Shopify

Pilot is an innovative Shopify theme, powered by Hydrogen, Remix, and Weaverse, designed to create lightning-fast storefronts with exceptional performance. This theme combines a collection of powerful tools and features to streamline your Shopify development experience.

Demo

What's included

  • Remix
  • Hydrogen
  • Oxygen
  • Shopify CLI
  • ESLint
  • Prettier
  • GraphQL generator
  • TypeScript and JavaScript flavors
  • Tailwind CSS (via PostCSS)
  • Full-featured setup of components and routes
  • Fully customizable inside Weaverse

Deployment

Getting started

Requirements:

  • Node.js version 18.0.0 or higher

Follow these steps to get started with Pilot and begin crafting your Hydrogen-driven storefront:

  1. Install Weaverse Hydrogen Customizer from Shopify App Store.
  2. Create new Hydrogen storefront inside Weaverse.
  3. Initialize the project and start a local dev server with @weaverse/cli tool as instructed in the Weaverse editor. Init Weaverse Storefront
  4. Open the Weaverse editor to start customizing and tailoring your storefront according to your preferences.

Features overview

Fetching page data inside route's loader

Fetching page data inside route's loader is a common pattern in Hydrogen. Weaverse provides a convenient way to do that by using context.weaverse.loadPage function.

import {defer} from '@shopify/remix-oxygen';
import {type RouteLoaderArgs} from '@weaverse/hydrogen';

export async function loader(args: RouteLoaderArgs) {
  let {params, context} = args;

  return defer({
    weaverseData: await context.weaverse.loadPage({type: 'INDEX'}),
    // More route's loader data...
  });
}

weaverse is an WeaverseClient instance that has been injected into the app context by Weaverse. It provides a set of methods to interact with the Weaverse API.

let handleRequest = createRequestHandler({
  build: remixBuild,
  mode: process.env.NODE_ENV,
  getLoadContext: () => ({
    // App context props
    weaverse: createWeaverseClient({
      storefront,
      request,
      env,
      cache,
      waitUntil,
    }),
  }),
});

Rendering page content

Weaverse pages is rendered using <WeaverseContent /> component.

import {WeaverseHydrogenRoot} from '@weaverse/hydrogen';
import {GenericError} from '~/components/GenericError';
import {components} from './components';

export function WeaverseContent() {
  return (
    <WeaverseHydrogenRoot
      components={components}
      errorComponent={GenericError}
    />
  );
}

And in your route:

export default function Homepage() {
  return <WeaverseContent />;
}

Dead simple, right?

Global theme settings

Weaverse global theme settings is loaded in the root's loader with context.weaverse.loadThemeSettings function.

export async function loader({request, context}: RouteLoaderArgs) {
  return defer({
    // App data...
    weaverseTheme: await context.weaverse.loadThemeSettings(),
  });
}

And then you can use it in your components with useThemeSettings hook.

import {useThemeSettings} from '@weaverse/hydrogen';

function Logo() {
  let {logo} = useThemeSettings();

  return (
    <div className="flex items-center">
      <img src={logo} alt="Logo" />
    </div>
  );
}

The App component is wrapped with withWeaverse HoC in order to SSR the theme settings.

import {withWeaverse} from '@weaverse/hydrogen';

function App() {
  return (
    <html lang={locale.language}>
      // App markup
    </html>
  );
}

export default withWeaverse(App);

Create a section

To create a section, you need to create a new file in app/sections directory and register it in app/weaverse/components.ts file.

import type {
  HydrogenComponentProps,
  HydrogenComponentSchema,
} from '@weaverse/hydrogen';
import {forwardRef} from 'react';

interface VideoProps extends HydrogenComponentProps {
  heading: string;
  description: string;
  videoUrl: string;
}

let Video = forwardRef<HTMLElement, VideoProps>((props, ref) => {
  let {heading, description, videoUrl, ...rest} = props;
  return (
    <section ref={ref} {...rest}>
      <div className="py-8 px-4 mx-auto max-w-screen-xl lg:px-12 sm:text-center lg:py-16">
        <h2 className="mb-4 text-4xl tracking-tight font-extrabold text-gray-900 dark:text-white">
          {heading}
        </h2>
        <p className="font-light text-gray-500 sm:text-lg md:px-20 lg:px-38 xl:px-48 dark:text-gray-400">
          {description}
        </p>
        <iframe
          className="mx-auto mt-8 w-full max-w-2xl h-64 rounded-lg lg:mt-12 sm:h-96"
          src={videoUrl}
          title="YouTube video player"
          allow="accelerometer; autoplay; clipboard-write; encrypted-media; gyroscope; picture-in-picture"
          allowFullScreen
        />
      </div>
    </section>
  );
});

export default Video;

Export a schema object from the file to define the component's schema with default data and settings to be used in the Weaverse editor.

export let schema: HydrogenComponentSchema = {
  type: 'video',
  title: 'Video',
  toolbar: ['general-settings', ['duplicate', 'delete']],
  inspector: [
    {
      group: 'Video',
      inputs: [
        {
          type: 'text',
          name: 'heading',
          label: 'Heading',
          defaultValue: 'Learn More About Our Products',
          placeholder: 'Learn More About Our Products',
        },
        {
          type: 'textarea',
          name: 'description',
          label: 'Description',
          defaultValue: `Watch these short videos to see our products in action. Learn how to use them and what makes them special. See demos of our products being used in real-life situations. The videos provide extra details and showcase the full capabilities of what we offer. If you're interested in learning more before you buy, be sure to check out these informative product videos.`,
          placeholder: 'Video description',
        },
        {
          type: 'text',
          name: 'videoUrl',
          label: 'Video URL',
          defaultValue: 'https://www.youtube.com/embed/-akQyQN8rYM',
          placeholder: 'https://www.youtube.com/embed/-akQyQN8rYM',
        },
      ],
    },
  ],
};

What if your component needs to fetch data from Shopify API or any third-party API?

Weaverse provide a powerful loader function to fetch data from any API, and it's run on the server-side 🀯😎.

Just export a loader function from your component:

import type {ComponentLoaderArgs} from '@weaverse/hydrogen';

export let loader = async ({context, itemData}: ComponentLoaderArgs) => {
  let {data} = await context.storefront.query<SeoCollectionContentQuery>(
    HOMEPAGE_SEO_QUERY,
    {
      variables: {handle: itemData.data.collectionHandle || 'frontpage'},
    },
  );
  return data;
};

And then you can use the data in your component with Component.props.loaderData πŸ€—

Customizing the theme inside Weaverse Editor

Weaverse provides a convenient way to customize your theme inside the Weaverse editor. You can add new sections, customize existing ones, and change the theme settings.

Weaverse Editor

Setup for using Customer Account API (/account)

  1. Run development with --customer-account-push__unstable flag to start the server with a tunnel to expose the local server to the public domain.
shopify hydrogen dev --codegen --port 3456 --customer-account-push__unstable

Or quicker way with:

npm run dev:ca

Include public domain in Customer Account API settings

After run the server with --customer-account-push__unstable flag, you will get a public domain like https://<your-cf-tunnel>.tryhydrogen.dev. And it should be automatically added to the Customer Account API settings. If not, you can manually add it by following these steps:

  1. Go to your Shopify admin => Hydrogen or Headless app/channel => Customer Account API => Application setup
  2. Edit Callback URI(s) to include https://<your-cf-tunnel>.tryhydrogen.dev/account/authorize
  3. Edit Javascript origin(s) to include your public domain https://<your-tunnel>.tryhydrogen.dev or keep it blank
  4. Edit Logout URI to include your public domain https://<your-tunnel>.tryhydrogen.dev or keep it blank

Local development inspects

References

License

This project is provided under the MIT License.


Let Weaverse & Pilot empower your Shopify store with top-notch performance and unmatched customization possibilities! πŸš€

Languages

  • TypeScript 98.3%
  • JavaScript 1.1%
  • CSS 0.6%