holi-frontends
- Development
- Monorepo - and why
- Creating NextJS SSR and SSG pages
- Authentication
- Tracking
- Exploring the GraphQL API (via graphiql)
- Continuous Integration and Deployment
- sentry.io logging/tracing
- Accessibility testing
- Supported By
Development
Prerequisites
Before we can get started building, please ensure that both direnv
and one of the following node version managers are installed and properly set up on your system:
Follow the instructions in the corresponding READMEs for setup.
Run cp .envrc.local.template .envrc.local
and adjust .envrc.local
to match your configuration (e.g. using the correct node version manager). Using direnv
, .envrc
(and .envrc.local
) will automatically be loaded when you cd
into the directory.
.node-version
(used by nodenv
) ensures that all developers are using the same node
/npm
versions.
It is kept in sync with .nvmrc
(used by nvm
) by a symbolic link, so please make sure to use a format that is understood by both tools (e.g. a fixed version).
Android emulator
- Follow the instructions to install Android studio
- In the SDK Manager, Untick "Hide Obsolete Packages" and install "Android SDK Tools (Obsolete)."
- Create an adb device using the Virtual Device Manager from Android Studio
- In order to test accessibility features you need to have the Android Accessibility Suite installed
- Note that the Pixel 4 API 32 was throwing a permissions error in macOS Ventura 13.1. We corrected the error by installing a different device, for example, the Pixel 5 API 31.
- Add
<path-to-android-sdk>/emulator
to yourPATH
environment variable - Add
<path-to-android-sdk>/platform-tools
to yourPATH
environment variable to access theadb
command. - For Gnu Bash or Zsh run
export ANDROID_HOME ~/Library/Android/sdk
andexport PATH $PATH:$ANDROID_HOME/tools:$ANDROID_HOME/tools/bin:$ANDROID_HOME/platform-tools
- Start the emulator using
emulator @<device-name>
- Run
adb devices
: Make sure the adb daemon could be started and the emulator is listed -
yarn mobile:dev
>a
- Note: Pressing
w
to open the web app is not expected to work - useyarn web:dev
instead
iOS simulator (if you have a Mac)
- Follow the instructions to install Xcode and setup a simulator
- Install a simulator build on the Simulator by executing
eas build:run -p ios
- Run
yarn mobile:dev
, usually via our mprocs setup in the meta project
Docker (optional)
For running the web e2e tests locally, you need to have Docker installed.
Running
Best way to run a dev environment is to checkout holi-meta and use it to quickly start a complete environment.
Locally in this repository, you can run yarn mobile:dev
for mobile and yarn web:dev
for web. These will connect
to Staging APIs by default. You can let them connect to other deployments of
holi-unified-api by providing the environment variable
HOLI_API_URL (see holi-meta).
We are using Expo to build the app for both mobile app variants. After starting the mobile dev environment (e.g. via holi-meta), you can start the emulators with keyboard shortcuts and/or scan the QR code from the console log with the Expo Go App for testing/debugging on your phone.
Automated Testing
Unit tests
The unit tests are written with jest and @testing-library/react-native.
We also use custom matchers like toHaveTextContent
defined by jest-native.
Execution
Running yarn test
in the root of this repository (or within any package that has unit tests) will run jest on
all files with unit tests.
To run with watch mode, simply use yarn test:watch
to run tests on uncommitted files,
or yarn test:watchAll
to run tests in all files.
To execute only a single test or test suite, you can run commands like
yarn test -t SpaceTaskTile
# or
yarn test -t 'SpaceTaskTile renders correctly'
Local Execution
You can also run some of the tests locally. Currently, only Core, but more is to come.
# just navigate to the package, for example:
cd core
# and execute
yarn test
# or
yarn test:watch myFileName
# or
yarn test:watchAll
Every package script should run independently from our workspaces. It also helps if you are focused on unit-testing functionality related to that package scope.
Conventions
We are using a jest convention to locate test files within a __tests__
folder. Jest will run all test files
within those folders, or any files that end with a suffix of .spec.js
or .test.js
by default. Files named testData.ts[x]
are excluded.
We use snapshot tests which generates a __snapshots__
folder next to
the test file. The goal with snapshot tests is to "make sure your UI does not change unexpectedly".
If there is an intentional change to the UI, you can run yarn test:update
and it will update the snapshots.
It is recommended to always commit the snapshots folder and keep it in version control.
Currently we only use these kinds of tests for Holi components (i.e. components defined in @holi/ui
).
We do not want to rely on actual translations, so i18next
is configured in jest.setup.ts
without any translations and will only render the i18n-keys instead.
There is a global mock to check for navigation behaviour (mockNavigate
, used e.g. in core/auth/components/__tests__/LoginProtection.test.tsx
).
Web e2e tests
The web e2e tests are built with Playwright. They are executed in the CI pipeline against feature branches and the staging system (before a live deployment).
You can run them locally. You need to have Docker installed. Then, follow the instructions in the README.
Mobile e2e tests
Mobile e2e tests are written with jest and use Appium. The tests are run against real devices on BrowserStack in CI pipelines, but can be run locally as well.
For more information see the respective README.
Monorepo - and why
This is a monorepo. Not in the FAANG sense, as it doesn't contain thousands of applications. It contains two applications: mobile & web. And shared code between mobile & web. This is the one and only reason we create a monorepo.
Monorepos have been critized heavily and righteously so. Most downsides of monorepos come from frameworks and build systems not supporting monorepos. Therefore, working with monorepos feels like glueing together many workarounds until it works and hoping it won't break.
On the positive side, this monorepo will allow us to share code between our mobile and web frontend. You can do this without a monorepo, using a library. However, using a library for shared code, you need to publish every little code change (locally) before you can try it out in the applications that use it. This would dramatically decrease development velocity as feedback cycles for shared code changes are simply too long. And it's no fun do work this way either.
Yarn Workspaces
Yarn Workspaces are a neat feature that support us with our monorepo approach. It allows to make multiple packages
(e.g. @holi/core
, @holi/mobile
and @holi/web
) and group them together in a (non-publishable) root package. With
Yarn Workspaces:
-
Your dependencies can be linked together, which means that your workspaces can depend on one another while always using the most up-to-date code available.
mobile
andweb
can depend oncore
, always pointing to the "newest version" by simply symlinking into the directory. -
All dependencies are installed together (under the root module), using a single lockfile. There can be exceptions if needed. If you have issues, check if nohoist will help.
Working with Yarn Workspaces is (a little) different, but easy. Instead of running e.g.
holi-frontends/ $> cd mobile
holi-frontends/mobile $> yarn run start
you can simply prefix every yarn command with yarn workspace $MODULE_NAME
like so:
holi-frontends/ $> yarn workspace @holi/mobile run start
But notice that you don't have to do this, you can also cd
into the individual packages and use yarn as if you
weren't in a monorepo with yarn Workspaces.
Workspaces / Package Structure
To give an overview, the project contains the following workspaces (npm packages):
-
apps
- contains platform specific configs, styles and structurally differing code that can not be shared (e.g. the navigation and next.js pages)-
mobile
- the mobile ("native" as in React Native) app for iOS and Android, managed by Expo. Contains just the minimal platform-specific code that can not be shared withweb
. -
web
- the web (reactive, small and big screen) site, built with React Native for Web and Expo. Contains just the minimal platform-specific code that can not be shared withmobile
. -
storybook
- app to explore UI components.stories
should be inpackages/ui/components/__stories__
-
-
core
- shared code for the core of the HOLI app / site (feature-specific components, screens, ...)-
auth
- shared components and helpers for authentication -
components
- shared components, e.g. layout that is used by multiple screens -
errors
- shared components, hooks and helpers for error handling -
helpers
- various helper hooks, configuration and helper functions -
hooks
* - various helper hooks used by screens -
i18n
- shared configuration for internationalization-
locales
- translations -
helpers
- helper functions
-
-
location
- shared components and hooks for geolocation -
navigation
- shared components and helpers for navigation -
pagination
- shared components and hooks for pagination -
providers
- shared providers -
screens
- all screens used in the core app-
userprofile
- exmeplary for screens in general, contains everything specific to this screen that is not shared, no 'Screen' suffix in namecomponents
hooks
providers
index.tsx
queries.ts
types.ts
-
-
static
* - constants used by screens
-
-
e2e
- end-to-end tests-
mobile
- end-to-end tests for the mobile app -
web
- end-to-end tests for the web site
-
-
holi-apps
- apps for the HOLI app "store" will eventually go here-
volunteering
- examplary for holi-apps in general, contains everything specific to this app, structurally equivalent toscreens
incore
-
-
packages
- shared "library" code goes here, i.e. everything reusable that could also be published as an npm package-
api
- shared client-side code for the HOLI API -
chat
* - components, store and utils for the matrix chat client -
icons
- the HOLI icon library -
ui
- the HOLI component library
-
-
scripts
- shared scripts, e.g. for pipelines -
terraform
-
common
- definitions for common infrastructure -
environments
- definitions for the specific platform environments (currently only necessary for web)-
web
- definitions for web environment
-
-
*: Might be moved/spread out to other packages in the future
Components in packages/ui
and screens
should use the following folder structure:
-
MyComponent.tsx
- example for a component that is the same for both platforms -
OtherComponent.tsx
- mobile variant of a component with platform specific variants -
OtherComponent.web.tsx
- web variant ofOtherComponent
-
__stories__
- stories for storybookMyComponent.stories.tsx
OtherComponent.stories.tsx
-
__tests__
- component testsMyCompontent.test.tsx
OtherComponent.test.tsx
-
__snapshots__
MyCompontent.test.tsx.snap
OtherComponent.test.tsx.snap
Package dependencies
We would like to prevent cyclic dependencies and strive for a clear hierarchy from more complex and specialized logic and components down to more general and simpler ones that can be easily shared. In order to achieve this we try to reach the following dependency hierarchy:
- platform and build specific packages
- apps/storybook
- apps/mobile
- apps/web
- application logic and domain specific packages
- core
- holi-apps
- shared packages
- api
- ui
- icons
Notes:
- Packages may not depend on the packages listed above, but only to packages listed below. E.g.
packages/ui
may depend onpackages/icons
, but not vice versa. The same goes forcore
andpackages/ui
. - For the "shared packages" listed in 3. we like to imagine that these could be published as stand-alone
npm
packages. So ideally these should not include any domain or application specific logic or terminology. - Our code does currently not adhere to this structure, so we can not enforce this yet.
Code conventions
-
File names: camelCase
-
File and folder names for components (basically all
.tsx
files except forindex.tsx
, including screens and tests): PascalCase-
.tsx files
inapps/web
follow the nextjs convention (routing derived from filenames) and therefore are lowercase and might start with an underscore.
-
-
Default instead of named exports, esp. for components. I.e. every file should typically only export one component or function, exceptions might be e.g. collections of util functions. If it necessary to export prop types as well, they may be exported in the same file as the component
-
E.g.
export type MyComponentProps = [...] const MyComponent = [...] export default MyComponent
-
which can be imported as
import MyComponent, { MyComponentProps } from 'path/to/MyComponent'
-
-
For very complex components that span over multiple files (e.g. screens or platform specific variants), group all files in a folder and provide an
index.tsx
file exporting the root component as default export. This enables importing the component as if it was a single file (using e.g.import MyComponent from 'path/to/MyComponent'
) and hides the complexity of the component itself.- Example:
-
foobar
- seecore/navigation/hooks/useRouting
as example-
foobar.ts
- mobile variant -
foobar.web.ts
- web variant -
index.ts
- default export -
types.ts
- types used by both variants - other files required for the component that are not shared
-
-
- Example:
-
Tests: Folder
__tests__
next to the files to be tested and.test
suffix for the test file names, e.g.:foobar.tsx
-
__tests__
foobar.test.tsx
Code style
We use eslint
and biome format
(biomejs) to lint and format the code.
The rules are defined in .eslintrc.js
resp. biome.json
and are checked by our commit hooks as well as during the CI pipelines.
Make sure to install appropriate IDE plugins to assist writing properly linted code and automate formatting.
Dependencies
Dependencies and Yarn Workspaces
When adding dependencies, for convenience reasons, you might want to stay in the project root folder. From here you can add new packages with the command:
yarn workspace [workspace-name] add [package-name]
e.g.
yarn workspace @holi/web add typescript -D
or
yarn workspace @holi/mobile expo install react-native-gesture-handler
Alternatively, you can also go into the specific folder where you need the new lib and install it there:
cd apps/web
yarn add typescript -D
Note: Be careful when using expo install
, as it seems to ignore the resolutions defined in the root package.json
and might cause dependency conflicts.
Rules for Adding Dependencies
Due to the monorepo layout and how hoisting works we have to follow a couple of rules that "magically" make everything work:
-
root: don't add any dependencies here
-
exception: dev dependencies that understand monorepos like
eslint
-
exception: dev dependencies that understand monorepos like
- core: don't add any dependencies here
- mobile: add all your React Native and universal (both mobile and web) dependencies here
- web: add your web-only dependencies here
We have tried different approaches before that were using nohoist
and more "obvious" / "intuitive" / "known"
patterns (e.g. adding universal dependencies in both web and mobile, or in shared only). However, these approaches
always led to one or another build failing: either expo publish
, eas build
or local execution.
It might be necessary to work
with Yarn resolutions to resolve dependency
conflicts (as has been done e.g. with ts-invariant
and tslib
).
- tslib is pinned to 2.3.1 because without this pin, there was an error
TypeError: tslib.__spreadArray is not a function.
(2022-05-04)
Please also note that not all dependency versions are compatible with the current version of Expo.
Running expo doctor --fix-dependencies
might then help to fix this.
Clean up
To clean up builds you can run
yarn clean
in the root directory or a specific workspace.
In order to clean up everything including node_modules
directories you can run
yarn clean:all
in the root directory or a specific workspace.
How to Reproduce (Built this from scratch)
Simply cloning a monorepo template from the Internet won't help you understand how everything is glued together. And if you don't, it's quite likely that you're going to have a hard time as soon as something breaks. At that point you might be months into your project, the code base has become huge and debugging your monorepo issues has become harder as it will be harder to see the forest for the trees.
To avoid this situation, reproduce.sh
contains every single instruction that was used to create this monorepo. And
quite a number of comments on what we're doing and why. This should allow you to understand the process and the
reasoning behind it. If you run into problems half a year into the project, this monorepo template (and reproduce.sh
)
allows you to go back in time and debug your monorepo issue on a smaller less cluttered code base. That's the idea, we
hope it will pay out.
Navigation
To create a new route with a screen for mobile and page for web you have to do the following.
Say you wanted to create the route "/profile/:id" which opened the profile page in web and a profile screen in mobile.
core
- create
core/screens/userProfile/UserProfile.tsx
- implement a shared view for the profile you want to render
- in order to retrieve the
userId
query parameter:
import createParamHooks from '@holi/core/navigation/hooks/useParam'
export type UserProfileParams = {
userId: string
}
const { useParam } = createParamHooks<UserProfileParams>()
const [userId] = useParam('userId')
web
- create
web/pages/profile/[userId].tsx
- render the shared screen within
const UserProfilePage: NextPage = () => <UserProfile />
export default UserProfilePage
mobile
- define the route name in
apps/mobile/navigation/routeName.ts
- create a route in
apps/mobile/navigation/RootNavigator.tsx
e.g. in the RootStack and use the shared screen component to render
<RootStack.Screen name={RouteName.UserProfile} component={UserProfile} />
- create a linking mapping in
core/navigation/index.tsx
between the navigator route name and the web url
// ...
config: {
screens: {
// ...
[RouteName.UserProfile]: 'profile/:userId',
}
}
conclusion
you can now navigate from anywhere in web and mobile using the navigate function exposed by the useRouting hook.
const {navigate} = useRouting()
<Button onPress = {() => navigate('/profile/jasper')}>
jaspers profile
</Button>
notes
Important hint: A screen name must be unique.
It may be configured at different places, but over all it must be unique.
// e.g.
<RootStack.Screen name="Spaces" component={SpacesHomeNavigator} />
<SpacesDrawer.Screen name="AppStore" component={AppStoreScreen} />
<CommunityBottomNav.Screen name="Board" component={BoardScreen} />
I18n (Internationalization)
We use i18next as framework for internationalization with react-i18next for React/React Native support and ni18n for NextJS integration and SSR. We also rely on Intl to provide locale data for date and number formatting (polyfilled on mobile using intl).
Our web app supports internationalized routes by adding the locale as sub-path (e.g. https://app.holi.social/de/spaces). These sub-paths are ignored when deep linking on mobile.
You can find more documentation here.
We use namespaces to separate translations for the core application and the different holi-apps, which can be found in
core/i18n/locales
holi-apps/donations/i18n/locales
- etc.
Message keys should include prefixes separated by .
for grouping translations e.g. by screen and be represented in a flat JSON structure.
To refer to a translation from a specific namespace use the prefix <namespace>:
, e.g donations:app.name
. If no namespace prefix is passed, translations from core
are used.
Usage example
Example translations
{
"message.simple": "Simple translation",
"message.interpolation": "Interpolation {{value}}",
"message.nestedComponent": "Translation with a <0>nested component<0>"
}
Usage in components
import { Trans, useTranslation } from 'react-i18next'
const { t } = useTranslation()
// results in: "Simple translation"
t('message.key')
// results in: "Interpolation example"
t('message.interpolation', { value: 'example' })
// results in: "Translation with a <HoliText bold>nested component</HoliText>"
<Trans t={t} i18nKey="message.nestedComponent">
<HoliText bold>this text will be replaced by "nested component"</HoliText>
</Trans>
See holi-apps/donations/components/DonationProgress.tsx
for an example for number formatting using Intl.NumberFormat
.
VS Code extension
i18n-ally is a VS code extension that facilitates translating the app with features like code completion, directly adding new or editing existing keys as well as displaying translations inside the code and as tooltips.
Error handling and reporting
There are several utils and hooks in core/errors
to facilitate error handling and deal with displaying, logging and reporting errors.
-
logErrorLocal
: If the error is not relevant enough to be reported, e.g. because it was caused by "bad user input", this function can be used to log it locally, which might be helpful during development. -
logError
: This function will not only log the error locally, but also report it to Sentry.io. You can pass a custom error message as well as some information about the error context that might be helpful for future analysis. We also require the error "location" to facilitate finding the occurrence in the code, usually in the form of<file/component name>.<method>
.Warning: The error, message and context information is passed to Sentry.io as well and we have to make sure to never include any user identifiable data!
-
displayError
: This method is provided by theuseErrorHandling
hook and is the most thorough way of handling errors:- The error is displayed to the user in form of a toast
- If the error was caused by "bad user input", we only log the error locally (using
logErrorLocal
, see above) - Otherwise we log and report the error using
logError
(see above)
-
openToast
: If you only want to inform the user about an error, without logging or reporting it, you can useopenToast
(provided by theuseToast
hook).
Note: Some types of errors are filtered before being logged or displayed, e.g. network errors.
Form validation
We use zod for validation, see e.g. core/screens/spaces/edit/mutations.ts
for definition of validation rules and core/screens/spaces/edit/components/EditSpaceNameAndGoal.tsx
for usage.
When dealing with form validation errors, that are usually caused by invalid user input, the most noteworthy hooks are the following:
-
useFieldErrors
is a hook to handle backend validation errors (seecore/screens/spaces/edit/components/EditSpaceNameAndGoal.tsx
for usage example) -
openToast
(provided by theuseToast
hook) can be used to display more general errors that can not be assigned to text input fields.
Other forms of error handling are described above.
For more details see documentation in confluence.
Server-side rendering (SSR)
In general SSR can be enabled for a web page in Next.js by implementing getServerSideProps
. To facilitate this and achieve consistent behaviour, the helper function createServerSideProps
should be used.
Please read the documentation on SSR to learn more about the basic principles as well as handling common use cases and pitfalls.
Authentication
Authentication works differently for Web and Mobile (following the best practices of our identity provider Ory):
Mobile
The session token that is retrieved during login is stored in the phones SecureStore
(from expo-secure-store
). Every
request that is sent to the backend (our holi-unified-api
GraphQL API) receives an HTTP
request header Authorization: Bearer $TOKEN
.
Web
During login, Ory (respectively the Ory API bridge, see apps/web/pages/api/.ory/[...paths].js
) sets an HTTP-only
secure cookie with domain-wide validity that includes a session token. This cookie is then sent with every request to
the backend (which is reverse-proxied on Next.JS server side, see apps/web/pages/api/graphql.js
).
OAuth2
In order to support an OAuth2 flow (currently used for OwnCloud/OCIS) there are some web specific SSR pages to handle login and consent (see apps/web/pages/oauth2
).
The URLs pointing to these pages have to be configured in the OAuth2 Configuration of Ory and are valid project wide. As custom domains are a paid feature, we only have one shared Ory project for staging, review and local development. In order to work on these OAuth2 pages locally (and to prevent breaking staging or review environments), you can add the following to your /etc/hosts
file:
127.0.0.1 staging.dev.holi.social
However, as the locally running web frontend only answers to http and port 3000, you might have to manually adjust the urls when being redirected.
Tracking
For tracking purposes (such as click tracking, impression tracking, etc.), we use Posthog.
Impression tracking
FlatList as a render component
TrackableFlatList
is a wrapper around RN FlatList component. It allows consumers to track list items in-view appearance.
Its usage example can be found in the TaskRecommendations
component. It can be used for both vertical and horizontal lists.
There are few required and optional props:
-
listItemTrackingEvent
(required): a callback that returns a tracking event for the provided list item. Example:
const listItemTrackingEvent: ListItemTrackingEvent<Task> = ({ name, id }) => {
return TrackingEvent.RecommendationViewed('space_task', { name, id })
}
-
listItemIdentifier
(required): a callback that returns an identifier for the provided list item. Example:
const listItemIdentifier: ListItemIdentifier<Task> = ({ id }) => {
return id
}
-
itemVisiblePercentThreshold
(optional, default value = 80): an item visible percent threshold (more docs: https://reactnative.dev/docs/flatlist#viewabilityconfig) -
minimumViewTime
(optional, default value = 1000): a minimum view time before item is considered as "viewed" (more docs: https://reactnative.dev/docs/flatlist#viewabilityconfig) -
trackOnce
(optional, default value = false): a flag that defines whether an item should be tracked only once or every time it's viewed
View as a render component
Currently, we don't have a solution for tracking impressions with non-FlatList
components, as the View
component doesn't natively support viewabilityConfig
settings.
A potential custom implementation involves manual measurement of all necessary layout information (such as window size, scroll positions, and element sizes) every ~100ms and, therefore,
is considered to be quite inefficient. If possible, using FlatList
is recommended for rendering large data lists."
Exploring the GraphQL API (via graphiql)
For exploring our GraphQL API we have a running instance of graphiql at https://staging.dev.holi.social/
If all your requests don't need user authentication you can do them right away. Currently we don't have any GraphQL queries that work without authentication but there will be some in the future.
If you need authentication (example for staging):
- Go to our web deployment) and log in with your user.
- From the network view of the Browser, check the request that went to the GraphQL API
(
https://staging.dev.holi.social/api/graphql
) and copy the value from the Cookie request header. - Go to the staging graphiql instance, open the "Request Headers" tab in the lower left and add the previously copied cookie values like so:
{
"Cookie": "<Cookies-Value-Previously-Copied>"
}
- Write and submit your queries.
As an alternative to using the Cookie
header (as used by Browsers) you can also use the session token (as used by
Mobile) to authenticate a user. To do this you need e.g. to enable inspection within the Expo Go app of your
simulator/emulator and inspect outgoing requests to the GraphQL API after logging in. You should see an Authentication: Bearer <some-token-here>
header in the request. This header can also be added within graphiql's UI as an
alternative.
Linting and Autocomplete
We use GraphQL Config to support GraphQL linting and code autocompletion capabilities. By integrating GraphQL Config into our development environment, we create a seamless and efficient coding experience specifically tailored for GraphQL that guarantees we can write GraphQL queries, mutations, fragments, and so on, with ease, as it provides us with optimized features that minimize errors and maximize productivity.
By default, the GraphQL Config is set to use the staging
unified API schema as its endpoint. If you wish to work with it locally you have the option to modify the schema endpoint by updating the value of the UNIFIED_API_SCHEMA_ENDPOINT
environment variable.
Code Generation
We use GraphQL Codegen to automate the process of generating strongly typed code that corresponds to unified-api
GraphQL schema which eliminates the need for manual type definitions and helps maintain consistency between the frontend and the backend services.
To use GraphQL Codegen, start by defining your GraphQL types (e.g. queries, mutations, or fragments) in a .graphql
or .gql
file. Afterward, run the yarn schema:generate
command to automatically generate the corresponding TypeScript code based on your definitions.
For a better local development experience, you can enable watch mode for codegen by running yarn schema:watch
. This allows the code generation process to continuously monitor your GraphQL schema and automatically update the generated code whenever changes are detected.
Continuous Integration and Deployment
Feature Branches & Environments
When you are working on a story, please create a branch that contains the ticket number in its name, and keep the branch name short. A good default is either only the ticket number (e.g. HOLI-1234) or git flow based names (e.g. feature/HOLI-1234).
When you push this branch, a GitLab CI pipeline is triggered that builds and deploys the code to web (available via https://$BRANCH_NAME.dev.holi.social) and to mobile (available via expo). Also, E2E tests are executed against all platforms.
Skipping parts of CI
Sometimes, changes don't need to be verified by the full pipeline, e.g. changes in linting or documentation.
noenv Branches
When you prefix your branch name with noenv/
(e.g. noenv/my-readme-update
) the pipeline only lints & builds, but does not publish, deploy or run e2e test. This saves quite some time. Obviously, many things go untested so only use this if "you know what you're doing".
noweb / nomobile Branches
You can also selectively skip the web part of the pipeline by prefixing your branch name with noweb/
, and the mobile part by prefixing your branch name with nomobile/
.
Staging and Production Environments
When a branch is merged to the main branch, the pipeline deploys to the staging environment and runs e2e tests against it. After these are successful, you can manually trigger a deployment of a specific commit to production via GitLab CI.
Environment variables
Setting environment specific configurations using environment variables works differently for web and mobile: for the web server it is sufficient to provide environment variables during runtime, while for mobile and the web client these variables have to be available at build time, so they are included in the respective bundles. There are also differences between local execution and builds/deployment during CI.
Local execution and general usage
For local execution environment variables can usually be provided (both for web and to some extend mobile, see below) by defining the variables in .envrc
or .envrc.local
or by passing them directly before issuing a command, e.g. HOLI_API_URL=foobar yarn web:dev
.
They can be accessed via process.env
(e.g. process.env.HOLI_API_URL
).
Configuration for web client
For the web client all environment variables that should be available in the browser, have to be provided at build time. To decide which environment variables are included, Next.js requires these to be prefixed with NEXT_PUBLIC_
(see documentation). (An example for this is the NEXT_PUBLIC_ENVIRONMENT_ID
that is used for sentry, see apps/web/environment.ts
).
There also is runtime configuration available in Next.js but we have not yet decided on a solution yet (see HOLI-1692).
Configuration for web deployment
For web deployment it is necessary to include environment variables in the terraform configuration: see terraform/environments/vars.tf
for definitions of variables and terraform/environments/deployment.tf
on how to pass them to the container. You can only use information available at script execution time to provide or calculate the configuration values.
You could also define environment variables in the Dockerfile itself (apps/web/Dockerfile
), but these may not be environment specific, as the same docker image is used for different environments.
Usage for mobile
On mobile builds, environment variables are evaluated at build time and the values are therefore included in the binary as constants. We use expo-constants
for this, which provides configuration values defined in apps/mobile/app.config.js
(here environment variables can be used) as constants to the apps, which can be accessed as follows:
import Constants from 'expo-constants'
export const holiApiUrl = Constants.expoConfig?.extra?.holi_api.url
Configuration for mobile builds
For app builds generated using the EAS command line tool
(which is used in the pipelines), environment variables have to be set for each build profile in apps/mobile/eas.json
(see documentation).
You should see such variables listed as Project environment variables
in the EAS build logs (you should also be able to find the full app.config.js
there to check that all configuration values are filled in correctly).
sentry.io logging/tracing
For staging and production deployments, we are reporting logs and errors to sentry.io. Among others, we have a project for mobile and another one for web. Check them out from time to time.
Accessibility testing
In order to test the output of screen readers on the different platforms, you can use the following tools
- Screen reader on web (Chrome)
- TalkBack / Android Accessibility Suite on Android
- VoiceOver on iOS
- Accessibility Inspector (preinstalled on MacOS): It let's you inspect and e.g. read out loud all accessibilty props on all applications, including our application running within the iOS simulator
Supported By
This project is tested with BrowserStack.