Demo.time._.-.12.April.2023.1.mp4
Table of Contents
- Tech stack
- Architecture
- Build
- Installation
- Contributing
- Contributor Covenant Code of Conduct
- License
- Compatibility: WebExtension browser API Polyfill
- Cross-app communication: WebExt Redux
- State Container: Redux
- Tooling: Redux Toolkit
- Side effect: RxJS and redux-observable
All the shared UI components
- Represent your domain object
- Apply only logic that is applicable in general to the whole entity (e.g., validating the format of a hostname)
- Typescript classes
- More examples: here
import { Key } from "./key";
export class Fragment {
constructor(
readonly key: Key,
readonly uri: string,
readonly index: number
) {}
}
- Represent an isolated single piece of your business actions: it’s what you can do with the application. Expect one use case for each business action
- Pure business logic, plain code (except maybe some utils libraries)
- The use case doesn’t know who triggered it and how the results will be presented.
- More examples: here
import { Fragment } from "../entities";
import { ILoader } from "../services";
export const downloadSingleFactory = (loader: ILoader) => {
const run = async (
fragment: Fragment,
fetchAttempts: number
): Promise<ArrayBuffer> => {
const data = await loader.fetchArrayBuffer(fragment.uri, fetchAttempts);
return data;
};
return run;
};
- Interfaces of services that will be injected into use-cases
- More examples: here
export interface ILoader {
fetchText(url: string, attempts?: number): Promise<string>;
fetchArrayBuffer(url: string, attempts?: number): Promise<ArrayBuffer>;
}
- A chain of use-cases triggered by a redux event
- Written with the help of RxJs
- More examples: here
import { Epic } from "redux-observable";
import { of } from "rxjs";
import { filter, map, mergeMap } from "rxjs/operators";
import { RootAction, RootState } from "../adapters/redux/root-reducer";
import { jobsSlice } from "../adapters/redux/slices";
import { Dependencies } from "../services";
export const incDownloadStatusEpic: Epic<
RootAction,
RootAction,
RootState,
Dependencies
> = (action$, store$) =>
action$.pipe(
filter(jobsSlice.actions.incDownloadStatus.match),
map((action) => action.payload.jobId),
map((id) => ({ id, status: store$.value.jobs.jobsStatus[id] })),
filter(({ status }) => Boolean(status)),
filter(({ status }) => status!.done === status!.total),
mergeMap(({ id }) => {
return of(
jobsSlice.actions.finishDownload({
jobId: id,
}),
jobsSlice.actions.saveAs({
jobId: id,
})
);
})
);
WIP
- Register listeners for browser events, do some magic, and change your app's shared state (using the core library)
- Add them to
subscribeListeners
in theindex.ts
file - More examples: here
import { tabs } from "webextension-polyfill";
import { createStore } from "@hls-downloader/core/lib/store/configure-store";
import { tabsSlice } from "@hls-downloader/core/lib/store/slices";
export function setTabListener(store: ReturnType<typeof createStore>) {
tabs.onActivated.addListener(async (details) => {
store.dispatch(
tabsSlice.actions.setTab({
tab: {
id: details.tabId,
},
})
);
});
}
- Implementation of the core's library services
- You can have multiple Implementations for the same services (e.g MemoryFS, IndexedDBFS)
- More examples: here
type FetchFn<Data> = () => Promise<Data>;
async function fetchWithRetry<Data>(
fetchFn: FetchFn<Data>,
attempts: number = 1
): Promise<Data> {
if (attempts < 1) {
throw new Error("Attempts less then 1");
}
let countdown = attempts;
while (countdown--) {
try {
return await fetchFn();
} catch (e) {
if (countdown < 1 && countdown < attempts) {
const retryTime = 100;
await new Promise((resolve) => setTimeout(resolve, retryTime));
}
}
}
throw new Error("Fetch error");
}
export async function fetchText(url: string, attempts: number = 1) {
const fetchFn: FetchFn<string> = () => fetch(url).then((res) => res.text());
return fetchWithRetry(fetchFn, attempts);
}
export async function fetchArrayBuffer(url: string, attempts: number = 1) {
const fetchFn: FetchFn<ArrayBuffer> = () =>
fetch(url).then((res) => res.arrayBuffer());
return fetchWithRetry(fetchFn, attempts);
}
export const FetchLoader = {
fetchText,
fetchArrayBuffer,
};
The extension's content app.
components - Shared components modules - Your app's features
src
├── modules
│ ├── About
│ │ ├── AboutController.ts
│ │ ├── AboutModule.tsx
│ │ └── AboutView.tsx
│ ├── Home
│ │ ├── HomeModule.tsx
│ │ ├── HomeView.stories.tsx
│ │ └── HomeView.tsx
│ └── Settings
│ ├── SettingsController.ts
│ ├── SettingsModule.tsx
│ └── SettingsView.tsx
├── index.tsx
├── App.tsx
├── setupTests.ts
└── theme.ts
Each module is separated into a controller with business logic, a view with UI only (no logic), and a module that glue them together.
Script | Job |
---|---|
./scripts/build.sh |
Build all the app and create a zip file. |
./scripts/build-background.sh |
Build only the extension's background app. |
./scripts/build-design-system.sh |
Build design-system. |
./scripts/build-content.sh |
Build only the extension's content app. |
./scripts/build-core.sh |
Build only the extension's core library. |
./scripts/build-extension.sh |
Build all the extension's apps. |
./scripts/clean.sh |
Clean the build dir. |
./scripts/copy-assets.sh |
Copy the extension's non-code assets, |
./scripts/dev.sh |
Build and watch for changes. |
./scripts/storybook.sh |
Run Storybook for the extension's content app |
- Clone the repo
- Ensure you have node, and npm installed
- Run
sh ./scripts/build.sh
- Raw files will be at
./dist/
- The zip will be in
./extension-archive.zip
- Run
sh ./scripts/storybook.sh
- Work on the UI in
src/content
- Download the
zip
file from the latest release - Open
chrome://extensions/
- Drop the
zip
file into the page - Enjoy :)
TL;DR
- Fork it!
- Create your feature branch:
git checkout -b my-new-feature
- Commit your changes:
git commit -am 'Add some feature'
- Push to the branch:
git push origin my-new-feature
- Submit a pull request :D
The MIT License (MIT)
Copyright (c) 2023 Shy Alter
Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.