├── .markdownlint.json ├── src ├── content │ └── en │ │ ├── search.md │ │ ├── featured-background.png │ │ ├── docs │ │ ├── Workflows │ │ │ ├── Creating Photorealistic Images │ │ │ │ ├── duckies.png │ │ │ │ └── _index.md │ │ │ ├── _index.md │ │ │ ├── Creating Presentations from scratch │ │ │ │ └── _index.md │ │ │ └── Creating a annotated speaker deck for training │ │ │ │ └── _index.md │ │ ├── _index.md │ │ ├── AI Tools │ │ │ ├── chatgpt │ │ │ │ └── _index.md │ │ │ ├── _index.md │ │ │ ├── whisper │ │ │ │ └── _index.md │ │ │ ├── midjourney │ │ │ │ └── _index.md │ │ │ └── slackgpt │ │ │ │ └── _index.md │ │ └── Responsible AI │ │ │ └── _index.md │ │ └── _index.md ├── layouts │ └── 404.html ├── go.mod ├── .gitignore ├── assets │ └── scss │ │ └── _variables_project.scss ├── CONTRIBUTING.md ├── package.json ├── go.sum ├── hugo.toml └── LICENSE ├── .vscode └── settings.json ├── .github ├── dependabot.yml └── workflows │ └── hugo.yml ├── README.md ├── .devcontainer ├── devcontainer.json └── Dockerfile └── .gitignore /.markdownlint.json: -------------------------------------------------------------------------------- 1 | { 2 | "MD013": false, 3 | "MD022": false 4 | } 5 | -------------------------------------------------------------------------------- /src/content/en/search.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Search Results 3 | layout: search 4 | --- 5 | -------------------------------------------------------------------------------- /src/content/en/featured-background.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/xebia/ai-toolbox/HEAD/src/content/en/featured-background.png -------------------------------------------------------------------------------- /src/content/en/docs/Workflows/Creating Photorealistic Images/duckies.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/xebia/ai-toolbox/HEAD/src/content/en/docs/Workflows/Creating Photorealistic Images/duckies.png -------------------------------------------------------------------------------- /src/layouts/404.html: -------------------------------------------------------------------------------- 1 | {{ define "main" -}} 2 |
3 |

Not found

4 |

Oops! This page doesn't exist. Try going back to the home page.

5 |
6 | {{- end }} 7 | -------------------------------------------------------------------------------- /.vscode/settings.json: -------------------------------------------------------------------------------- 1 | { 2 | "cSpell.words": [ 3 | "Midjourney", 4 | "Xebia" 5 | ], 6 | "grammarly.selectors": [ 7 | { 8 | "language": "markdown", 9 | "scheme": "file" 10 | } 11 | ] 12 | } 13 | -------------------------------------------------------------------------------- /src/go.mod: -------------------------------------------------------------------------------- 1 | module github.com/google/docsy-example 2 | 3 | go 1.12 4 | 5 | require ( 6 | github.com/FortAwesome/Font-Awesome v0.0.0-20230327165841-0698449d50f2 // indirect 7 | github.com/google/docsy v0.7.0 // indirect 8 | github.com/twbs/bootstrap v5.2.3+incompatible // indirect 9 | ) 10 | -------------------------------------------------------------------------------- /src/.gitignore: -------------------------------------------------------------------------------- 1 | ### Hugo ### 2 | # Generated files by hugo 3 | /public/ 4 | /resources/_gen/ 5 | /assets/jsconfig.json 6 | /hugo_stats.json 7 | 8 | # Executable may be added to repository 9 | hugo.exe 10 | hugo.darwin 11 | hugo.linux 12 | 13 | # Temporary lock file while building 14 | /.hugo_build.lock 15 | 16 | # Go workspace file 17 | go.work -------------------------------------------------------------------------------- /.github/dependabot.yml: -------------------------------------------------------------------------------- 1 | # To get started with Dependabot version updates, you'll need to specify which 2 | # package ecosystems to update and where the package manifests are located. 3 | # Please see the documentation for all configuration options: 4 | # https://docs.github.com/github/administering-a-repository/configuration-options-for-dependency-updates 5 | 6 | version: 2 7 | updates: 8 | - package-ecosystem: "github-actions" # See documentation for possible values 9 | directory: "/" # Location of package manifests 10 | schedule: 11 | interval: "weekly" 12 | -------------------------------------------------------------------------------- /src/assets/scss/_variables_project.scss: -------------------------------------------------------------------------------- 1 | /* 2 | 3 | Add styles or override variables from the theme here. 4 | 5 | */ 6 | 7 | $primary: #6a1d57; 8 | 9 | $btn-bg: #ffffff; 10 | $btn-secondary: #ffffff; 11 | $secondary: #ffffff; 12 | 13 | :root { 14 | .text-info { 15 | --bs-info-rgb: 255,255,255 16 | } 17 | 18 | .td-overlay--dark::after{ 19 | background: rgba(0,0,0,0.3); 20 | } 21 | 22 | .mt-md-5{ 23 | margin-top: 15rem !important; 24 | } 25 | 26 | .td-box--2 { 27 | background: rgba(247,248,252,1) 28 | } 29 | } -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | # Xebia AI Toolbox 2 | > Check out the website [here][1] 3 | 4 | There are a lot of AI tools, but how do you actually accomplish any work with them? This project aims to collect as many of your workflows as you want to share with fellow Xebians to help them to be more productive using AI. 5 | Found a way to capture your thoughts with AI? Write about it! Does it help you with blogging/speaking/writing? Write about it! 6 | 7 | ## How to contribute 8 | Start a new branch, open a Codespace and start in `src/docs/`. You can add a new `_index.md` file and start writing. Alternatively, you can clone this repo locally, but a Codespace comes with all the tools installed. 9 | 10 | If you want to test your changes, you can run: 11 | 12 | ```sh 13 | cd src/ 14 | hugo server 15 | ``` 16 | 17 | If you like your changes, simply shoot in a PR! 18 | 19 | [1]: https://xebia.github.io/ai-toolbox/ 20 | -------------------------------------------------------------------------------- /.devcontainer/devcontainer.json: -------------------------------------------------------------------------------- 1 | { 2 | "name": "Hugo (Community)", 3 | "build": { 4 | "dockerfile": "Dockerfile", 5 | "args": { 6 | "VARIANT": "hugo_extended", 7 | "VERSION": "latest", 8 | "NODE_VERSION": "14" 9 | } 10 | }, 11 | 12 | "customizations": { 13 | "vscode": { 14 | "settings": { 15 | "html.format.templating": true 16 | }, 17 | 18 | "extensions": [ 19 | "bungcip.better-toml", 20 | "davidanson.vscode-markdownlint", 21 | "rusnasonov.vscode-hugo", 22 | "github.copilot", 23 | "streetsidesoftware.code-spell-checker", 24 | "fivethree.vscode-hugo-snippets", 25 | "eamodio.gitlens", 26 | "yzhang.markdown-all-in-one", 27 | "znck.grammarly" 28 | ] 29 | } 30 | }, 31 | 32 | "forwardPorts": [ 33 | 1313 34 | ], 35 | 36 | "postCreateCommand": "git config --global --add safe.directory /workspace/ai-toolbox", 37 | 38 | "remoteUser": "node" 39 | } 40 | -------------------------------------------------------------------------------- /src/content/en/docs/_index.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Xebia AI Toolbox Documentation 3 | linkTitle: Home 4 | menu: {main: {weight: 20}} 5 | weight: 20 6 | --- 7 | 8 | We believe AI can help us if we use it in a responsible way. This means we are careful when working with AI tools regarding client data, privacy and security. We also believe in the power of open source and sharing knowledge. That is why we created this site to share our knowledge and help eachother in our daily work. 9 | 10 | This website consits of a couple of parts: Workflows & Tools. The workflows are the actual workflows you can use to get things done. The tools are the tools you can use to get things done. The tools are often used in the workflows. 11 | 12 | Next to using tools and workflows we also want to share our knowledge on how to use AI in a responsible way. This is why we have a section on Responsible AI where we explain how to use AI in such a way that it doesn't hurt our company or our customers. 13 | -------------------------------------------------------------------------------- /src/CONTRIBUTING.md: -------------------------------------------------------------------------------- 1 | # How to Contribute 2 | 3 | We'd love to accept your patches and contributions to this project. There are 4 | just a few small guidelines you need to follow. 5 | 6 | ## Code reviews 7 | 8 | All submissions, including submissions by project members, require review. We 9 | use GitHub pull requests for this purpose. Consult 10 | [GitHub Help](https://help.github.com/articles/about-pull-requests/) for more 11 | information on using pull requests. 12 | 13 | ## Content guidelines 14 | 15 | Make sure all content you contribute is in a readable state. Pages should have enough content to be useful but you don't have to write all the details if you don't have time or knowledge to add that. We can always add more content later. 16 | 17 | If content / guides on using certain tools is found by other creators on the internet please do add a link back to them. We don't want to steal content from others, this website is just to empower everyone within Xebia to use these tools and provide a central place to find information on it. -------------------------------------------------------------------------------- /src/content/en/docs/Workflows/_index.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: AI Workflows 3 | weight: 1 4 | categories: [Workflows] 5 | tags: [Workflows] 6 | description: > 7 | AI Workflow Collection 8 | --- 9 | 10 | This website focuses on workflows to actually get things done instead of tools. This section describes a number of workflows to be more productive using AI. Have your own workflow of being more efficient & productive? please add it to this website! 11 | 12 | ## Responsible AI Checklist 13 | As we think responsible AI is essential, we should always consider this when using AI tools. 14 | Add this checklist to every workflow/tool page you create so people have a quick overview of what to consider when using this workflow or tool. 15 | 16 | |Responsible AI Checklist| 17 | |---|---| 18 | |Can be used with customer data| ℹ️ Ask Consent / ✅ Yes, this tool is safe to use / ❌ No, this tool is not safe to use| 19 | |Can the output be used at customer| ✅ Yes / ❌ No | 20 | |Can be used with Xebia Internal secret data| ✅ Yes, this tool is safe to use / ❌ No, this tool is not safe to use| 21 | |Can the output be used commercially by Xebia| ✅ Yes / ❌ No | 22 | |Is data being stored in the region you use it | ✅ Yes / ❌ No| 23 | |Do we have a Xebia license / managed solution for this tool | ✅ Yes / ❌ No| 24 | |Tools used in workflow| Links to tool pages for these tools | 25 | -------------------------------------------------------------------------------- /.devcontainer/Dockerfile: -------------------------------------------------------------------------------- 1 | # Update the NODE_VERSION arg in docker-compose.yml to pick a Node version: 18, 16, 14 2 | ARG NODE_VERSION=16 3 | FROM mcr.microsoft.com/devcontainers/javascript-node:${NODE_VERSION} 4 | 5 | # VARIANT can be either 'hugo' for the standard version or 'hugo_extended' for the extended version. 6 | ARG VARIANT=hugo 7 | # VERSION can be either 'latest' or a specific version number 8 | ARG VERSION=latest 9 | 10 | # Download Hugo 11 | RUN apt-get update && apt-get install -y ca-certificates openssl git curl && \ 12 | rm -rf /var/lib/apt/lists/* && \ 13 | case ${VERSION} in \ 14 | latest) \ 15 | export VERSION=$(curl -s https://api.github.com/repos/gohugoio/hugo/releases/latest | grep "tag_name" | awk '{print substr($2, 3, length($2)-4)}') ;;\ 16 | esac && \ 17 | echo ${VERSION} && \ 18 | case $(uname -m) in \ 19 | aarch64) \ 20 | export ARCH=ARM64 ;; \ 21 | *) \ 22 | export ARCH=64bit ;; \ 23 | esac && \ 24 | echo ${ARCH} && \ 25 | wget -O ${VERSION}.tar.gz https://github.com/gohugoio/hugo/releases/download/v${VERSION}/${VARIANT}_${VERSION}_Linux-${ARCH}.tar.gz && \ 26 | tar xf ${VERSION}.tar.gz && \ 27 | mv hugo /usr/bin/hugo 28 | 29 | # Download Go 30 | ENV GOLANG_VERSION 1.20.5 31 | ENV GOPATH /go 32 | ENV PATH $GOPATH/bin:/usr/local/go/bin:$PATH 33 | RUN curl -fsSL "https://dl.google.com/go/go$GOLANG_VERSION.linux-amd64.tar.gz" | tar -C /usr/local -xz 34 | 35 | EXPOSE 1313 -------------------------------------------------------------------------------- /src/content/en/docs/AI Tools/chatgpt/_index.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: ChatGPT 3 | weight: 4 4 | categories: [Tools] 5 | tags: [SlackGPT, ChatGPT] 6 | description: > 7 | ChatGPT is a chatbot powered by OpenAI's GPT models. 8 | --- 9 | 10 | |Responsible AI Checklist| 11 | |---|---| 12 | |Can be used with customer data| ❌ No| 13 | |Can the output be used at customer| ✅ Yes| 14 | |Can be used with Xebia Internal secret data| ❌ No| 15 | |Can the output be used commercially by Xebia| ❓TODO VERIFY PROOF | 16 | |Is data being stored in the region you use it | ❌ No| 17 | |Do we have a Xebia license / managed solution for this tool | ✅ Yes, please use [SlackGPT][1]| 18 | 19 | ## What is ChatGPT 20 | ChatGPT (Chat Generative Pre-Trained Transformer) is an artificial intelligence chatbot developed by OpenAI. 21 | 22 | ## How to use ChatGPT 23 | You can visit [the website][2] to have a conversation with ChatGPT. 24 | 25 | ## License / Costs 26 | While ChatGPT is free, you can opt for a ChatGPT Plus license. It enables the following: 27 | 28 | - General access to ChatGPT, even during peak times 29 | - Faster response times 30 | - Priority access to new features and improvements 31 | 32 | ## Suitable to use with clients? 33 | In general, no. ChatGPT stores all your conversations, including all the data you sent to ChatGPT. You can turn off this feature but still you're sending sensitive data to OpenAI. 34 | 35 | If you need a safer chat-like experience backed by a GPT model, try Xebia's [SlackGPT][1]. This application uses a paid endpoint, which ensures your data is not used to train the GPT models. 36 | 37 | [1]: /docs/ai-tools/slackgpt 38 | [2]: https://chat.openai.com/ 39 | -------------------------------------------------------------------------------- /src/content/en/docs/AI Tools/_index.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: AI Tools 3 | weight: 4 4 | categories: [Tools] 5 | tags: [Tools] 6 | description: > 7 | AI Tools Collection 8 | --- 9 | 10 | This website focusses on workflows to actually get things done instead of tools. When using AI tools they often require licenses and some might not be suitable to work with client data. Are you using a specific tool create a page on a couple of things: 11 | 12 | - What is the tool? 13 | - how to use it? 14 | - What is the license? 15 | - Is it suitable to be used at clients 16 | - Is there a Xebia managed solution / alternative you could use? 17 | - If the tool can be used at clients how to convince your client to use it. what is the proof that this tool is safe to use, will not steal data, etc. Colleagues can use this proof to have conversations with clients. 18 | 19 | ## Responsible AI Checklist 20 | 21 | Add this checklist to every workflow / tool page you are creating so people have a quick overview of what to consider when using this workflow or tool. 22 | 23 | |Responsible AI Checklist| 24 | |---|---| 25 | |Can be used with customer data| ℹ️ Ask Consent / ✅ Yes this tool is safe to use / ❌ No this tool is not safe to use| 26 | |Can the output be used at customer| ✅ Yes / ❌ No | 27 | |Can be used with Xebia Internal secret data| ✅ Yes this tool is safe to use / ❌ No this tool is not safe to use| 28 | |Can the output be used commercially by Xebia| ✅ Yes / ❌ No | 29 | |Is data being stored in the region you use it | ✅ Yes / ❌ No| 30 | |Do we have a Xebia license / managed solution for this tool | ✅ Yes / ❌ No| 31 | |Tools used in workflow| Links to tool pages for these tools | 32 | -------------------------------------------------------------------------------- /src/package.json: -------------------------------------------------------------------------------- 1 | { 2 | "name": "docsy-example-site", 3 | "version": "0.7.0-dev.0-unreleased", 4 | "description": "Xebia AI Toolbox", 5 | "repository": "github:xebia/ai-toolbox", 6 | "homepage": "https://ai-toolbox.xebia.dev", 7 | "author": "Xebia", 8 | "license": "Apache-2.0", 9 | "bugs": "https://github.com/xebia/ai-toolbox/issues", 10 | "spelling": "cSpell:ignore HTMLTEST precheck postbuild -", 11 | "scripts": { 12 | "_build": "npm run _hugo-dev", 13 | "_check:links": "echo IMPLEMENTATION PENDING for check-links; echo", 14 | "_hugo": "hugo --cleanDestinationDir", 15 | "_hugo-dev": "npm run _hugo -- -e dev -DFE", 16 | "_serve": "npm run _hugo-dev -- --minify serve", 17 | "build:preview": "npm run _hugo-dev -- --minify --baseURL \"${DEPLOY_PRIME_URL:-/}\"", 18 | "build:production": "npm run _hugo -- --minify", 19 | "build": "npm run _build", 20 | "check:links:all": "HTMLTEST_ARGS= npm run _check:links", 21 | "check:links": "npm run _check:links", 22 | "clean": "rm -Rf public/* resources", 23 | "make:public": "git init -b main public", 24 | "precheck:links:all": "npm run build", 25 | "precheck:links": "npm run build", 26 | "postbuild:preview": "npm run _check:links", 27 | "postbuild:production": "npm run _check:links", 28 | "serve": "npm run _serve", 29 | "test": "npm run check:links", 30 | "update:pkg:dep": "npm install --save-dev autoprefixer@latest postcss-cli@latest", 31 | "update:pkg:hugo": "npm install --save-dev --save-exact hugo-extended@latest" 32 | }, 33 | "devDependencies": { 34 | "autoprefixer": "^10.4.14", 35 | "hugo-extended": "0.113.0", 36 | "postcss-cli": "^10.1.0" 37 | } 38 | } 39 | -------------------------------------------------------------------------------- /src/content/en/docs/AI Tools/whisper/_index.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Whisper AI 3 | weight: 4 4 | categories: [Tools] 5 | tags: [WhisperAI] 6 | description: > 7 | Whisper is a general-purpose speech recognition model. It is trained on a large dataset of diverse audio and is also a multitasking model that can perform multilingual speech recognition, speech translation, and language identification. You can generate transcripts from audio files. 8 | --- 9 | 10 | |Responsible AI Checklist| 11 | |---|---| 12 | |Can be used with customer data| ❌ No| 13 | |Can the output be used at customer| ✅ Yes| 14 | |Can be used with Xebia Internal secret data| ❌ No| 15 | |Can the output be used commercially by Xebia| ❓TODO VERIFY PROOF | 16 | |Is data being stored in the region you use it | ❌ No| 17 | |Do we have a Xebia license / managed solution for this tool | ❌ No| 18 | 19 | ## What is Whisper AI 20 | Whisper is a general-purpose speech recognition model. It is trained on a large dataset of diverse audio and is also a multitasking model that can perform multilingual speech recognition, speech translation, and language identification. You can generate transcripts from audio files. 21 | 22 | ## How to use Whisper AI 23 | You can visit [the website][1] to follow instructions. In short. You download the tools and run whisper on your commandline. You can use multiple language models. The bigger the model, the more accurate the transcript. Although in many cases, small or medium is sufficient. 24 | 25 | ## License / Costs 26 | whisper is free 27 | 28 | ## Suitable to use with clients? 29 | It generates a transcript from an audio file. It does so locally. But please check customer. Also make sure the transcript does not end up somewhere. 30 | 31 | [1]: https://github.com/openai/whisper 32 | -------------------------------------------------------------------------------- /src/content/en/docs/AI Tools/midjourney/_index.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Midjourney 3 | weight: 4 4 | categories: [Tools] 5 | tags: [Midjourney] 6 | description: > 7 | Midjourney is a generative AI that produces images. 8 | --- 9 | 10 | |Responsible AI Checklist| 11 | |---|---| 12 | |Can be used with customer data| ℹ️ Ask Consent| 13 | |Can the output be used at customer| ✅ Yes| 14 | |Can be used with Xebia Internal secret data| ❌ Any input you give Midjourney is publicly visible by default| 15 | |Can the output be used commercially by Xebia| ✅ Yes| 16 | |Is data being stored in the region you use it | ❌ No| 17 | |Do we have a Xebia license / managed solution for this tool | ❌ Yes| 18 | 19 | ## What is Midjourney 20 | From the website: 21 | > Midjourney is an independent research lab exploring new mediums of thought and expanding the imaginative powers of the human species. 22 | 23 | However, when we refer to Midjourney on this website, we mean the Midjourney Discord Bot. Currently, the Midjourney generative AI is only available through Discord. Interacting with the software is done by adding this bot to your Discord channel or chatting with the bot directly. 24 | 25 | ## How to use Midjourney 26 | The Quick Start is available [here][2]. 27 | 28 | The Pro and Mega plan offer [Stealth Mode][3]. This mode prevents your generated content from publicly appearing on Midjourney's website. This mode is not enabled by default. 29 | 30 | ## License / Costs 31 | Midjourney has several [subscription plans][1]. From the docs: 32 | > You must purchase the Pro or Mega plan if you are a company making more than $1,000,000 USD in gross revenue per year. 33 | 34 | ## Suitable to use with clients? 35 | [1]: https://docs.midjourney.com/docs/plans 36 | [2]: https://docs.midjourney.com/docs/quick-start 37 | [3]: https://docs.midjourney.com/docs/stealth 38 | -------------------------------------------------------------------------------- /src/go.sum: -------------------------------------------------------------------------------- 1 | github.com/FortAwesome/Font-Awesome v0.0.0-20220831210243-d3a7818c253f h1:bvkUptSRPZBr3Kxuk+bnWCEmQ5MtEJX5fjezyV0bC3g= 2 | github.com/FortAwesome/Font-Awesome v0.0.0-20220831210243-d3a7818c253f/go.mod h1:IUgezN/MFpCDIlFezw3L8j83oeiIuYoj28Miwr/KUYo= 3 | github.com/FortAwesome/Font-Awesome v0.0.0-20221115183454-96cafbd73ec4 h1:xfr9SidRCMEh4A8fdkLhFPcHAVbrdv3Ua0Jp/nSmhhQ= 4 | github.com/FortAwesome/Font-Awesome v0.0.0-20221115183454-96cafbd73ec4/go.mod h1:IUgezN/MFpCDIlFezw3L8j83oeiIuYoj28Miwr/KUYo= 5 | github.com/FortAwesome/Font-Awesome v0.0.0-20230327165841-0698449d50f2 h1:Uv1z5EqCfmiK4IHUwT0m3h/u/WCk+kpRfxvAZhpC7Gc= 6 | github.com/FortAwesome/Font-Awesome v0.0.0-20230327165841-0698449d50f2/go.mod h1:IUgezN/MFpCDIlFezw3L8j83oeiIuYoj28Miwr/KUYo= 7 | github.com/google/docsy v0.5.1 h1:D/ZdFKiE29xM/gwPwQzmkyXhcbQGkReRS6aGrF7lnYk= 8 | github.com/google/docsy v0.5.1/go.mod h1:maoUAQU5H/d+FrZIB4xg1EVWAx7RyFMGSDJyWghm31E= 9 | github.com/google/docsy v0.6.0 h1:43bVF18t2JihAamelQjjGzx1vO2ljCilVrBgetCA8oI= 10 | github.com/google/docsy v0.6.0/go.mod h1:VKKLqD8PQ7AglJc98yBorATfW7GrNVsn0kGXVYF6G+M= 11 | github.com/google/docsy v0.7.0 h1:JaeZ0/KufX/BJ3SyATb/fmZa1DFI7o5d9KU+i6+lLJY= 12 | github.com/google/docsy v0.7.0/go.mod h1:5WhIFchr5BfH6agjcInhpLRz7U7map0bcmKSpcrg6BE= 13 | github.com/google/docsy/dependencies v0.5.1/go.mod h1:EDGc2znMbGUw0RW5kWwy2oGgLt0iVXBmoq4UOqstuNE= 14 | github.com/google/docsy/dependencies v0.6.0/go.mod h1:EDGc2znMbGUw0RW5kWwy2oGgLt0iVXBmoq4UOqstuNE= 15 | github.com/google/docsy/dependencies v0.7.0/go.mod h1:gihhs5gmgeO+wuoay4FwOzob+jYJVyQbNaQOh788lD4= 16 | github.com/twbs/bootstrap v4.6.2+incompatible h1:TDa+R51BTiy1wEHSYjmqDb8LxNl/zaEjAOpRE9Hwh/o= 17 | github.com/twbs/bootstrap v4.6.2+incompatible/go.mod h1:fZTSrkpSf0/HkL0IIJzvVspTt1r9zuf7XlZau8kpcY0= 18 | github.com/twbs/bootstrap v5.2.3+incompatible h1:lOmsJx587qfF7/gE7Vv4FxEofegyJlEACeVV+Mt7cgc= 19 | github.com/twbs/bootstrap v5.2.3+incompatible/go.mod h1:fZTSrkpSf0/HkL0IIJzvVspTt1r9zuf7XlZau8kpcY0= 20 | -------------------------------------------------------------------------------- /src/content/en/_index.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Xebia AI Toolbox 3 | --- 4 | 5 | {{< blocks/cover title="Xebia AI Toolbox" image_anchor="top" height="full" >}} 6 | 7 | Learn More 8 | 9 | 10 | Contribute 11 | 12 |

At Xebia we believe AI can empower your work making you more productive in everything you do. This site helps you discover ways of empowering your daily workflows with AI in a responsible way.

13 | {{< blocks/link-down color="info" >}} 14 | {{< /blocks/cover >}} 15 | 16 | 17 | {{% blocks/lead color="primary" %}} 18 | We believe AI can help us if we use it in a responsible way. This means we are careful when working with AI tools regarding client data, privacy and security. We also believe in the power of open source and sharing knowledge. That is why we created this site to share our knowledge and help eachother in our daily work. 19 | {{% /blocks/lead %}} 20 | 21 | 22 | {{% blocks/section color="2" type="row" %}} 23 | {{% blocks/feature icon="fa-lightbulb" title="Start learning now!" url="docs" %}} 24 | Xebia AI Toolbox is a set of workflows created by and for Xebians to help eachother in their daily work becoming more productive using AI tools. 25 | {{% /blocks/feature %}} 26 | 27 | 28 | {{% blocks/feature icon="fab fa-github" title="Contributions welcome!" url="https://github.com/xebia/ai-toolbox" %}} 29 | We do a [Pull Request](https://github.com/xebia/ai-toolbox/pulls) contributions workflow on **GitHub**. New users are always welcome! 30 | {{% /blocks/feature %}} 31 | 32 | 33 | {{% blocks/feature icon="fab fa-slack" title="Discuss on Slack!" %}} 34 | Have questions or want to discuss something? Join us on **Slack** in the `#ai-toolbox` channel. 35 | {{% /blocks/feature %}} 36 | 37 | 38 | {{% /blocks/section %}} 39 | 40 | 41 | {{% blocks/section %}} 42 | *"AI will not replace you. A person using AI will."* - slackgpt 43 | {.h2 .text-center} 44 | {{% /blocks/section %}} -------------------------------------------------------------------------------- /src/content/en/docs/AI Tools/slackgpt/_index.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: SlackGPT 3 | weight: 4 4 | categories: [Tools] 5 | tags: [SlackGPT, ChatGPT] 6 | description: > 7 | ChatGPT alternative with responsible use of data in Xebia Slack 8 | --- 9 | 10 | |Responsible AI Checklist| 11 | |---|---| 12 | |Can be used with customer data| ℹ️ Ask Consent| 13 | |Can the output be used at customer| ✅ Yes| 14 | |Can be used with Xebia Internal secret data| ✅ Yes this tool is safe to use| 15 | |Can the output be used commercially by Xebia| ❓TODO VERIFY PROOF | 16 | |Is data being stored in the region you use it | Currently in Azure West Europe (Netherlands)| 17 | |Do we have a Xebia license / managed solution for this tool | ✅ Yes| 18 | 19 | ## What is SlackGPT 20 | SlackGPT was created at Xebia to offer an observable alternative to ChatGPT. The data that you send to SlackGPT is not stored anywhere, but does use the OpenAI GPT models. You can read more about the software [here][1]. 21 | 22 | Because it uses a paid endpoint, our data will not be used to train ChatGPT or the GPT models. 23 | 24 | ## How to use SlackGPT 25 | SlackGPT is an app on the Xebia slack. You can chat with it directly. Every message will start a thread, which is the equivalent of ChatGPT's 'chat'. 26 | 27 | ## License / Costs 28 | The costs are covered by Xebia. Please use SlackGPT to your heart's content! 29 | 30 | ## Suitable to use with clients? 31 | It depends, if your client consents to their data being sent to the OpenAI endpoints, this is allowed. If you trigger the Microsoft content filters, the data might be viewed by humans at Microsoft. 32 | 33 | The guidance that SlackGPT will give you when starting a new thread: 34 | 35 | - The messages you send to SlackGPT are not stored or read by anyone within Xebia 36 | - We log usage metrics to track cost and get insights of how many people are using SlackGPT 37 | - Microsoft might review the messages if they suspect abuse of their API 38 | 39 | As a rule of thumb: don't put anything in here that you wouldn't put in Google Translate. 40 | 41 | [1]: https://xebia.com/blog/how-we-integrated-chatgpt-into-our-slack-enhancing-privacy-flexibility-and-collaboration/ 42 | -------------------------------------------------------------------------------- /src/content/en/docs/Responsible AI/_index.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Responsible AI 3 | weight: 1 4 | description: > 5 | Thoughts and Considerations when using AI for your work 6 | --- 7 | 8 | ## Avoiding data leaks 9 | When using AI tools you often have to upload data to the cloud. This can be data from your clients or data from your company. You should always be careful when uploading client or company data to the cloud. You should always check if the data you are uploading is allowed and what will happen to this data. 10 | 11 | > ⚠️ Most free (and certain also paid) AI tools have policies that all data sent to it can be either stored and used for training their model or be used for other purposes. This means that if you upload client data to these tools you are violating the privacy of your client. This can have legal consequences for you and your company. 12 | 13 | In our [Tools](/docs/AI-Tools) section we describe which tools are safe to use, which aren't and what are the things you should consider when using them. It might not always be obvious which data a tool is using, for example IDE plugins that help you code often send parts of your solution to the cloud to help you code. This might be a problem when you are working on a client project that wants to keep their code secret. 14 | 15 | ## Always ask consent from your customer 16 | First rule for using any AI tool when working for your customer is to have consent from your customer in using these tools. Again the [Tools](/docs/AI-Tools) section has a description on which tools are safe and how to convince your customer to use them by providing proof to them of how the data is used/processed and what the risks are. 17 | 18 | ## You're The Pilot 19 | Whether you're using GitHub Copilot, or other AI tools, always remember, you're responsible for the end result. Review and reflect on the output of any AI tool. 20 | 21 | - Are there bugs in the generated code? 22 | - Is the generated material a blatant copy of a unique source? 23 | - Does the generated code create a security risk? 24 | 25 | ## Ethical use of AI 26 | Artificial Intelligence can be an incredibly strong tool. However, with great power, comes great responsibility. Whether you're building your own artificial intelligence, or using an AI tool, always be sure that it: 27 | 28 | - Is reliable and safe. 29 | - Does not discriminate against individuals or groups. 30 | - Does not use copyrighted material to generate results. 31 | -------------------------------------------------------------------------------- /src/content/en/docs/Workflows/Creating Presentations from scratch/_index.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Creating Presentations from scratch 3 | weight: 4 4 | categories: [Presentation] 5 | tags: [PowerPoint, SlackGPT] 6 | description: > 7 | How can SlackGPT help you with creating your presentations? 8 | --- 9 | 10 | |Responsible AI Checklist| 11 | |---|---| 12 | |Can be used with customer data input| ❌ No | 13 | |Can the output be used at customer | ❓ TODO check this| 14 | |Can be used with Xebia Internal secret data| ✅ yes| 15 | |Can the output be used commercially by Xebia | ✅ yes | 16 | |Is data being stored in the region you use it | ❌ No| 17 | |Do we have a Xebia license / managed solution for this tool | ✅ [SlackGPT](/docs/ai-tools/slackgpt)| 18 | |Tools used in workflow | [SlackGPT](/docs/ai-tools/slackgpt) | 19 | 20 | ## Introduction 21 | Creating a presentation can be hard. Especially the initial part. This workflow gets you going from nothing to a full presentation in powerpoint in a couple of minutes from which you can start adding styles and extra content. 22 | 23 | ## Step 1: Open the Visual Basic Editor 24 | 25 | Windows: 26 | 27 | Go to Developer[^enable-developer] > Visual Basic 28 | 29 | Mac: 30 | 31 | Go to Tools > Macro > Visual Basic Editor 32 | 33 | Next insert a Module: Insert > Module 34 | 35 | ## Step 2: Ask SlackGPT to do your homework 36 | 37 | Next up we are going to ask SlackGPT to generate a Visual Basic script that will generate a presentation for us. This is mostly Prompt engineering. 38 | 39 | Wether you know or you don't know your presentation out-line your prompt should probably start with something like this: 40 | ``` 41 | Generate VBA script in PowerPoint that on execution generates slides. 42 | The Topic of the slide deck is: [The benefits of having ChatGPT do you work] 43 | The length of the slide deck is: [Minimum of 10 slides] 44 | 45 | Think like a C# developer that is trying to save his job by giving this presentation 46 | make sure to generate sub points on all the slides 47 | ``` 48 | 49 | Run the script. 50 | 51 | ## Step 3: Style it 52 | 53 | All that is left is to style your slides, if you don't have a house-style design you can use the Integrated feature of PowerPoint "Designer" that should be located on the Home Ribbon. 54 | 55 | [^enable-developer]: If you don't see the Developer "Ribbon" follow these steps: 56 | 57 | - Go to File > Options 58 | - Customize Ribbon 59 | - Main Tabs > Developer 60 | - Ok 61 | -------------------------------------------------------------------------------- /.github/workflows/hugo.yml: -------------------------------------------------------------------------------- 1 | # Sample workflow for building and deploying a Hugo site to GitHub Pages 2 | name: Deploy Hugo site to Pages 3 | 4 | on: 5 | # Runs on pushes targeting the default branch 6 | push: 7 | branches: ["main"] 8 | 9 | # Allows you to run this workflow manually from the Actions tab 10 | workflow_dispatch: 11 | 12 | # Sets permissions of the GITHUB_TOKEN to allow deployment to GitHub Pages 13 | permissions: 14 | contents: read 15 | pages: write 16 | id-token: write 17 | 18 | # Allow only one concurrent deployment, skipping runs queued between the run in-progress and latest queued. 19 | # However, do NOT cancel in-progress runs as we want to allow these production deployments to complete. 20 | concurrency: 21 | group: "pages" 22 | cancel-in-progress: false 23 | 24 | # Default to bash 25 | defaults: 26 | run: 27 | shell: bash 28 | 29 | jobs: 30 | # Build job 31 | build: 32 | runs-on: ubuntu-latest 33 | env: 34 | HUGO_VERSION: 0.113.0 35 | steps: 36 | - name: Install Hugo CLI 37 | run: | 38 | wget -O ${{ runner.temp }}/hugo.deb https://github.com/gohugoio/hugo/releases/download/v${HUGO_VERSION}/hugo_extended_${HUGO_VERSION}_linux-amd64.deb \ 39 | && sudo dpkg -i ${{ runner.temp }}/hugo.deb 40 | - name: Install Dart Sass Embedded 41 | run: sudo snap install dart-sass-embedded 42 | - name: Checkout 43 | uses: actions/checkout@v4 44 | with: 45 | submodules: recursive 46 | - name: Setup Pages 47 | id: pages 48 | uses: actions/configure-pages@v3 49 | - name: Install Node.js dependencies 50 | working-directory: ./src 51 | run: "[[ -f package-lock.json || -f npm-shrinkwrap.json ]] && npm ci || true" 52 | - name: Build with Hugo 53 | working-directory: ./src 54 | env: 55 | # For maximum backward compatibility with Hugo modules 56 | HUGO_ENVIRONMENT: production 57 | HUGO_ENV: production 58 | run: | 59 | hugo \ 60 | --minify \ 61 | --baseURL "${{ steps.pages.outputs.base_url }}/" 62 | - name: Upload artifact 63 | uses: actions/upload-pages-artifact@v1 64 | with: 65 | path: ./src/public 66 | 67 | # Deployment job 68 | deploy: 69 | environment: 70 | name: github-pages 71 | url: ${{ steps.deployment.outputs.page_url }} 72 | runs-on: ubuntu-latest 73 | needs: build 74 | steps: 75 | - name: Deploy to GitHub Pages 76 | id: deployment 77 | uses: actions/deploy-pages@v2 78 | -------------------------------------------------------------------------------- /src/content/en/docs/Workflows/Creating Photorealistic Images/_index.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Creating Photorealistic Images 3 | weight: 4 4 | categories: [Images, Presentation] 5 | tags: [ChatGPT, SlackGPT, Midjourney] 6 | description: > 7 | How can you combine ChatGPT and Midjourney to create photorealistic images? 8 | --- 9 | 10 | |Responsible AI Checklist| 11 | |---|---| 12 | |Can be used with customer data input| ❌ No| 13 | |Can output be used at customer | ✅ Yes| 14 | |Can be used with Xebia Internal secret data| ❌ No| 15 | |Can output be used commercially by Xebia | ✅ Yes| 16 | |Is data being stored in the region you use it | ❌ No| 17 | |Do we have a Xebia license / managed solution for this workflow | ❌ No| 18 | |Tools used in workflow | [Midjourney](/docs/ai-tools/midjourney), [ChatGPT](/docs/ai-tools/chatgpt) / [SlackGPT](/docs/ai-tools/slackgpt) | 19 | 20 | ## Introduction 21 | Do you want to create photorealistic images with Midjourney, but get stuck when you need to specify your prompt? You can teach ChatGPT/SlackGPT to generate prompts for you. The generated prompt includes style, camera type, and even camera settings. This document describes the process, but the initial script can be changed to create other styles of images. 22 | 23 | ## Important: Credit 24 | The steps described on this page were designed by the YouTube channel [AI Foundations][1]. The author created a [video][2] on this subject that greatly improves the Midjourney experience. 25 | 26 | ## Steps 27 | ### Step 1: Add the introduction script to ChatGPT 28 | Download [the script][3] on the original author's website. You can paste this script into ChatGPT, or even SlackGPT. After you've sent the script, the AI assistant will respond with a resounding "YES". 29 | 30 | ### Step 2: Tell the assistant about your subject 31 | What kind of picture do you need? I wanted to generate a 'A photo of a rubber duck sitting on a monitor'. SlackGPT responded with: 32 | > Realistic photograph of a cheerful yellow rubber duck, playfully perched on top of a computer monitor in a cozy office setting, soft ambient lighting, blurred background showcasing office desk and accessories, Nikon D850, 50mm lens, f/1.8, natural light --ar 3:2 --v 5 --q 1 33 | 34 | ### Step 3: Give the prompt to Midjourney 35 | To get started with Midjourney, [start here][5]. Currently, Midjourney is only accessible through Discord. 36 | Copy the prompt, and prefix it with `/imagine`. Paste this into Midjourney on Discord and it will generate options for you. Here's the result: 37 | ![duckies][4] 38 | 39 | Note: All Midjourney prompts and results are publicly visible, unless you have a premium subscription with Stealth Mode enabled. 40 | 41 | ## Licenses needed 42 | ### SlackGPT 43 | You can use [SlackGPT][6] on the Xebia Slack. It's a great alternative for ChatGPT. 44 | 45 | ### Midjourney 46 | You need a personal license. Find out more about Midjourney [here][7]. 47 | 48 | 49 | [1]: https://www.youtube.com/@ai-foundations 50 | [2]: https://www.youtube.com/watch?v=EJez32MtfWU 51 | [3]: https://aiwealth.vip/midjourney-training-sheet/ 52 | [4]: ./duckies.png 53 | [5]: https://docs.midjourney.com/docs/quick-start 54 | [6]: /docs/ai-tools/slackgpt 55 | [7]: /docs/ai-tools/midjourney 56 | -------------------------------------------------------------------------------- /src/content/en/docs/Workflows/Creating a annotated speaker deck for training/_index.md: -------------------------------------------------------------------------------- 1 | --- 2 | title: Creating an Annotated speaker deck for training purposestions from scratch 3 | weight: 4 4 | categories: [Presentation] 5 | tags: [PowerPoint, SlackGPT, WhisperAI] 6 | description: > 7 | How can you create a PowerPoint deck with speaker notes so your presentation or training can be redelivered? 8 | --- 9 | 10 | |Responsible AI Checklist| 11 | |---|---| 12 | |Can be used with customer data input| ❌ No | 13 | |Can the output be used at customer | ❓ TODO check this| 14 | |Can be used with Xebia Internal secret data| ✅ yes| 15 | |Can the output be used commercially by Xebia | ✅ yes | 16 | |Is data being stored in the region you use it | ❌ No| 17 | |Do we have a Xebia license / managed solution for this tool | ✅ [SlackGPT](/docs/ai-tools/slackgpt)| 18 | |Tools used in workflow | [SlackGPT](/docs/ai-tools/slackgpt), [Whisper AI](/docs/ai-tools/whisper) | 19 | 20 | ## Introduction 21 | When you create a PowerPoint deck that can be used in a training or other sort of multi-delivery, it is hard to capture the story you want to convey in slides only. What do ou tell at every slide, what are the talking points and what story line do you want to follow. When you deliver the presentation yourself, this is doable, but what if someone else needs to use your deck? Or you deliver a training deck to a customer. For example, a customer wants a deck they can use for training their people. Then you want to annotate the slides with speaker notes, the story you want to tell so that people can read it, and the talking points so people can create their own story without losing the storyline. 22 | 23 | No better way to capture this by recording the presentation right? Right! Bu that does not really scale well when preparing or delivering. So you want your story in the speaker notes.. But that is a lot of work! Yes indeed. And that is where this workflow comes in 24 | 25 | ## Step 1: Deliver your presentation to your recording device 26 | Deliver the presentation. On Windows, use the audio recorder and deliver your story as you would do it in a training or presentation. Start every new slide with , 27 | 28 | ## Step 2: Create a transcript with Whisper AI 29 | The audio file, wav, m4a etc has all the content. Install WhisperAI and run the tool by using the commandline 30 | 31 | ``` 32 | whisper youraudio.m4a --model medium 33 | ``` 34 | 35 | You can mention teh language, although whisper can detect this as well. It can take some time to do this. As a workaround, create a VM in the cloud and let it run there. 36 | 37 | 38 | ## Step 3: Style it 39 | 40 | With the transcript that is generated by WhisperAI you can go to SlackGPT and use the following prompt per slide (manual copy paste) 41 | 42 | ``` 43 | I'll provide you with a transcript. You will start with a header "Talking Points" and then need to summarize the transcript into bullet points and a short descriptive text of the point underneath. The description of talking points need to be in blog style. Described as an outside observer. Write clear and use imperative tone. Only use information that is provided in the transcript. 44 | Then, add a header "speaker text" and write a text that someone can read to present this to an audience. Do not use announcer speech or things as today. Treat this as it is in the middle of a presentation 45 | Here is the transcript: 46 | ``` 47 | 48 | ### Examples 49 | 50 | ``` 51 | I'll provide you with a transcript. You will start with a header "Talking Points" and then need to summarize the transcript into bullet points and a short descriptive text of the point underneath. The description of talking points need to be in blog style. Described as an outside observer. Write clear and use imperative tone. Only use information that is provided in the transcript. 52 | Then, add a header "speaker text" and write a text that someone can read to present this to an audience. Do not use announcer speech or things as today. Treat this as it is in the middle of a presentation 53 | Here is the transcript: 54 | 55 | So let's get started with an introduction to 56 | GitHub Advanced Security for Azure DevOps or GHAZDO. 57 | So in this module, we will talk a little bit about the context of why we 58 | need things like advanced security and why this 59 | is becoming much more important than it maybe was in the past. 60 | ``` 61 | 62 | Output 63 | ``` 64 | Talking Points 65 | - Introduction to GitHub Advanced Security for Azure DevOps (GHAZDO) 66 | * In this part of the presentation, the speaker introduces the audience to GitHub Advanced Security for Azure DevOps, also known as GHAZDO. This topic is crucial to understand due to the increasing importance of advanced security in today's world. 67 | - The context of advanced security 68 | * The speaker will discuss the reasons behind the growing need for advanced security measures, and why it is more important now than ever before. 69 | Speaker Text 70 | Now, let's dive into the topic of GitHub Advanced Security for Azure DevOps, or GHAZDO. In this module, we'll explore the context behind the increasing demand for advanced security and why it has become a critical aspect of our digital lives. 71 | As technology continues to evolve, so do the potential threats and vulnerabilities we face. This makes it essential for us to understand and implement advanced security measures to protect our systems and data. So, let's discuss the importance of advanced security and how GHAZDO can help us ensure a safer digital environment. 72 | ``` -------------------------------------------------------------------------------- /src/hugo.toml: -------------------------------------------------------------------------------- 1 | baseURL = "/" 2 | title = "Xebia AI Toolbox" 3 | 4 | # Language settings 5 | contentDir = "content/en" 6 | defaultContentLanguage = "en" 7 | defaultContentLanguageInSubdir = false 8 | # Useful when translating. 9 | enableMissingTranslationPlaceholders = true 10 | 11 | enableRobotsTXT = true 12 | 13 | # Will give values to .Lastmod etc. 14 | enableGitInfo = false 15 | 16 | # Comment out to enable taxonomies in Docsy 17 | # disableKinds = ["taxonomy", "taxonomyTerm"] 18 | 19 | # You can add your own taxonomies 20 | [taxonomies] 21 | tag = "tags" 22 | category = "categories" 23 | 24 | [params.taxonomy] 25 | # set taxonomyCloud = [] to hide taxonomy clouds 26 | taxonomyCloud = ["tags", "categories"] 27 | 28 | # If used, must have same length as taxonomyCloud 29 | taxonomyCloudTitle = ["Tag Cloud", "Categories"] 30 | 31 | # set taxonomyPageHeader = [] to hide taxonomies on the page headers 32 | taxonomyPageHeader = ["tags", "categories"] 33 | 34 | 35 | # Highlighting config 36 | pygmentsCodeFences = true 37 | pygmentsUseClasses = false 38 | # Use the new Chroma Go highlighter in Hugo. 39 | pygmentsUseClassic = false 40 | #pygmentsOptions = "linenos=table" 41 | # See https://help.farbox.com/pygments.html 42 | pygmentsStyle = "tango" 43 | 44 | # Configure how URLs look like per section. 45 | [permalinks] 46 | blog = "/:section/:year/:month/:day/:slug/" 47 | 48 | # Image processing configuration. 49 | [imaging] 50 | resampleFilter = "CatmullRom" 51 | quality = 75 52 | anchor = "smart" 53 | 54 | [services] 55 | [services.googleAnalytics] 56 | # Comment out the next line to disable GA tracking. Also disables the feature described in [params.ui.feedback]. 57 | id = "UA-00000000-0" 58 | 59 | # Language configuration 60 | 61 | [languages] 62 | [languages.en] 63 | languageName ="English" 64 | # Weight used for sorting. 65 | weight = 1 66 | [languages.en.params] 67 | title = "Xebia AI Toolbox" 68 | description = "AI empowered workflows to make you more productive" 69 | 70 | [markup] 71 | [markup.goldmark] 72 | [markup.goldmark.parser.attribute] 73 | block = true 74 | [markup.goldmark.renderer] 75 | unsafe = true 76 | [markup.highlight] 77 | # See a complete list of available styles at https://xyproto.github.io/splash/docs/all.html 78 | style = "tango" 79 | # Uncomment if you want your chosen highlight style used for code blocks without a specified language 80 | # guessSyntax = "true" 81 | 82 | # Everything below this are Site Params 83 | 84 | # Comment out if you don't want the "print entire section" link enabled. 85 | [outputs] 86 | section = ["HTML", "print", "RSS"] 87 | 88 | [params] 89 | copyright = "Xebia 2023" 90 | #privacy_policy = "https://policies.google.com/privacy" 91 | 92 | # First one is picked as the Twitter card image if not set on page. 93 | # images = ["images/project-illustration.png"] 94 | 95 | # Menu title if your navbar has a versions selector to access old versions of your site. 96 | # This menu appears only if you have at least one [params.versions] set. 97 | version_menu = "Releases" 98 | 99 | # Flag used in the "version-banner" partial to decide whether to display a 100 | # banner on every page indicating that this is an archived version of the docs. 101 | # Set this flag to "true" if you want to display the banner. 102 | archived_version = false 103 | 104 | # The version number for the version of the docs represented in this doc set. 105 | # Used in the "version-banner" partial to display a version number for the 106 | # current doc set. 107 | version = "0.0" 108 | 109 | # A link to latest version of the docs. Used in the "version-banner" partial to 110 | # point people to the main doc site. 111 | url_latest_version = "https://example.com" 112 | 113 | # Repository configuration (URLs for in-page links to opening issues and suggesting changes) 114 | github_repo = "https://github.com/xebia/ai-toolbox" 115 | # An optional link to a related project repo. For example, the sibling repository where your product code lives. 116 | github_project_repo = "https://github.com/xebia/ai-toolbox" 117 | 118 | # Specify a value here if your content directory is not in your repo's root directory 119 | # github_subdir = "" 120 | 121 | # Uncomment this if your GitHub repo does not have "main" as the default branch, 122 | # or specify a new value if you want to reference another branch in your GitHub links 123 | github_branch= "main" 124 | 125 | # Google Custom Search Engine ID. Remove or comment out to disable search. 126 | gcs_engine_id = "d72aa9b2712488cc3" 127 | 128 | # Enable Algolia DocSearch 129 | algolia_docsearch = false 130 | 131 | # Enable Lunr.js offline search 132 | offlineSearch = false 133 | 134 | # Enable syntax highlighting and copy buttons on code blocks with Prism 135 | prism_syntax_highlighting = false 136 | 137 | # User interface configuration 138 | [params.ui] 139 | # Set to true to disable breadcrumb navigation. 140 | breadcrumb_disable = false 141 | # Set to true to disable the About link in the site footer 142 | footer_about_disable = false 143 | # Set to false if you don't want to display a logo (/assets/icons/logo.svg) in the top navbar 144 | navbar_logo = true 145 | # Set to true if you don't want the top navbar to be translucent when over a `block/cover`, like on the homepage. 146 | navbar_translucent_over_cover_disable = false 147 | # Enable to show the side bar menu in its compact state. 148 | sidebar_menu_compact = false 149 | # Set to true to hide the sidebar search box (the top nav search box will still be displayed if search is enabled) 150 | sidebar_search_disable = false 151 | 152 | # Adds a H2 section titled "Feedback" to the bottom of each doc. The responses are sent to Google Analytics as events. 153 | # This feature depends on [services.googleAnalytics] and will be disabled if "services.googleAnalytics.id" is not set. 154 | # If you want this feature, but occasionally need to remove the "Feedback" section from a single page, 155 | # add "hide_feedback: true" to the page's front matter. 156 | [params.ui.feedback] 157 | enable = false 158 | # The responses that the user sees after clicking "yes" (the page was helpful) or "no" (the page was not helpful). 159 | yes = 'Glad to hear it! Please tell us how we can improve.' 160 | no = 'Sorry to hear that. Please tell us how we can improve.' 161 | 162 | # Adds a reading time to the top of each doc. 163 | # If you want this feature, but occasionally need to remove the Reading time from a single page, 164 | # add "hide_readingtime: true" to the page's front matter 165 | [params.ui.readingtime] 166 | enable = false 167 | 168 | [params.links] 169 | # Developer relevant links. These will show up on right side of footer and in the community page if you have one. 170 | [[params.links.developer]] 171 | name = "GitHub" 172 | url = "https://github.com/xebia/ai-toolbox" 173 | icon = "fab fa-github" 174 | desc = "Contribute to this project!" 175 | 176 | # hugo module configuration 177 | 178 | [module] 179 | # uncomment line below for temporary local development of module 180 | # replacements = "github.com/google/docsy -> ../../docsy" 181 | [module.hugoVersion] 182 | extended = true 183 | min = "0.110.0" 184 | [[module.imports]] 185 | path = "github.com/google/docsy" 186 | disable = false 187 | [[module.imports]] 188 | path = "github.com/google/docsy/dependencies" 189 | disable = false 190 | -------------------------------------------------------------------------------- /.gitignore: -------------------------------------------------------------------------------- 1 | ## Ignore Visual Studio temporary files, build results, and 2 | ## files generated by popular Visual Studio add-ons. 3 | ## 4 | ## Get latest from https://github.com/github/gitignore/blob/main/VisualStudio.gitignore 5 | 6 | # User-specific files 7 | *.rsuser 8 | *.suo 9 | *.user 10 | *.userosscache 11 | *.sln.docstates 12 | 13 | # User-specific files (MonoDevelop/Xamarin Studio) 14 | *.userprefs 15 | 16 | # Mono auto generated files 17 | mono_crash.* 18 | 19 | # Build results 20 | [Dd]ebug/ 21 | [Dd]ebugPublic/ 22 | [Rr]elease/ 23 | [Rr]eleases/ 24 | x64/ 25 | x86/ 26 | [Ww][Ii][Nn]32/ 27 | [Aa][Rr][Mm]/ 28 | [Aa][Rr][Mm]64/ 29 | bld/ 30 | [Bb]in/ 31 | [Oo]bj/ 32 | [Ll]og/ 33 | [Ll]ogs/ 34 | 35 | # Visual Studio 2015/2017 cache/options directory 36 | .vs/ 37 | # Uncomment if you have tasks that create the project's static files in wwwroot 38 | #wwwroot/ 39 | 40 | # Visual Studio 2017 auto generated files 41 | Generated\ Files/ 42 | 43 | # MSTest test Results 44 | [Tt]est[Rr]esult*/ 45 | [Bb]uild[Ll]og.* 46 | 47 | # NUnit 48 | *.VisualState.xml 49 | TestResult.xml 50 | nunit-*.xml 51 | 52 | # Build Results of an ATL Project 53 | [Dd]ebugPS/ 54 | [Rr]eleasePS/ 55 | dlldata.c 56 | 57 | # Benchmark Results 58 | BenchmarkDotNet.Artifacts/ 59 | 60 | # .NET Core 61 | project.lock.json 62 | project.fragment.lock.json 63 | artifacts/ 64 | 65 | # ASP.NET Scaffolding 66 | ScaffoldingReadMe.txt 67 | 68 | # StyleCop 69 | StyleCopReport.xml 70 | 71 | # Files built by Visual Studio 72 | *_i.c 73 | *_p.c 74 | *_h.h 75 | *.ilk 76 | *.meta 77 | *.obj 78 | *.iobj 79 | *.pch 80 | *.pdb 81 | *.ipdb 82 | *.pgc 83 | *.pgd 84 | *.rsp 85 | *.sbr 86 | *.tlb 87 | *.tli 88 | *.tlh 89 | *.tmp 90 | *.tmp_proj 91 | *_wpftmp.csproj 92 | *.log 93 | *.tlog 94 | *.vspscc 95 | *.vssscc 96 | .builds 97 | *.pidb 98 | *.svclog 99 | *.scc 100 | 101 | # Chutzpah Test files 102 | _Chutzpah* 103 | 104 | # Visual C++ cache files 105 | ipch/ 106 | *.aps 107 | *.ncb 108 | *.opendb 109 | *.opensdf 110 | *.sdf 111 | *.cachefile 112 | *.VC.db 113 | *.VC.VC.opendb 114 | 115 | # Visual Studio profiler 116 | *.psess 117 | *.vsp 118 | *.vspx 119 | *.sap 120 | 121 | # Visual Studio Trace Files 122 | *.e2e 123 | 124 | # TFS 2012 Local Workspace 125 | $tf/ 126 | 127 | # Guidance Automation Toolkit 128 | *.gpState 129 | 130 | # ReSharper is a .NET coding add-in 131 | _ReSharper*/ 132 | *.[Rr]e[Ss]harper 133 | *.DotSettings.user 134 | 135 | # TeamCity is a build add-in 136 | _TeamCity* 137 | 138 | # DotCover is a Code Coverage Tool 139 | *.dotCover 140 | 141 | # AxoCover is a Code Coverage Tool 142 | .axoCover/* 143 | !.axoCover/settings.json 144 | 145 | # Coverlet is a free, cross platform Code Coverage Tool 146 | coverage*.json 147 | coverage*.xml 148 | coverage*.info 149 | 150 | # Visual Studio code coverage results 151 | *.coverage 152 | *.coveragexml 153 | 154 | # NCrunch 155 | _NCrunch_* 156 | .*crunch*.local.xml 157 | nCrunchTemp_* 158 | 159 | # MightyMoose 160 | *.mm.* 161 | AutoTest.Net/ 162 | 163 | # Web workbench (sass) 164 | .sass-cache/ 165 | 166 | # Installshield output folder 167 | [Ee]xpress/ 168 | 169 | # DocProject is a documentation generator add-in 170 | DocProject/buildhelp/ 171 | DocProject/Help/*.HxT 172 | DocProject/Help/*.HxC 173 | DocProject/Help/*.hhc 174 | DocProject/Help/*.hhk 175 | DocProject/Help/*.hhp 176 | DocProject/Help/Html2 177 | DocProject/Help/html 178 | 179 | # Click-Once directory 180 | publish/ 181 | 182 | # Publish Web Output 183 | *.[Pp]ublish.xml 184 | *.azurePubxml 185 | # Note: Comment the next line if you want to checkin your web deploy settings, 186 | # but database connection strings (with potential passwords) will be unencrypted 187 | *.pubxml 188 | *.publishproj 189 | 190 | # Microsoft Azure Web App publish settings. Comment the next line if you want to 191 | # checkin your Azure Web App publish settings, but sensitive information contained 192 | # in these scripts will be unencrypted 193 | PublishScripts/ 194 | 195 | # NuGet Packages 196 | *.nupkg 197 | # NuGet Symbol Packages 198 | *.snupkg 199 | # The packages folder can be ignored because of Package Restore 200 | **/[Pp]ackages/* 201 | # except build/, which is used as an MSBuild target. 202 | !**/[Pp]ackages/build/ 203 | # Uncomment if necessary however generally it will be regenerated when needed 204 | #!**/[Pp]ackages/repositories.config 205 | # NuGet v3's project.json files produces more ignorable files 206 | *.nuget.props 207 | *.nuget.targets 208 | 209 | # Microsoft Azure Build Output 210 | csx/ 211 | *.build.csdef 212 | 213 | # Microsoft Azure Emulator 214 | ecf/ 215 | rcf/ 216 | 217 | # Windows Store app package directories and files 218 | AppPackages/ 219 | BundleArtifacts/ 220 | Package.StoreAssociation.xml 221 | _pkginfo.txt 222 | *.appx 223 | *.appxbundle 224 | *.appxupload 225 | 226 | # Visual Studio cache files 227 | # files ending in .cache can be ignored 228 | *.[Cc]ache 229 | # but keep track of directories ending in .cache 230 | !?*.[Cc]ache/ 231 | 232 | # Others 233 | ClientBin/ 234 | ~$* 235 | *~ 236 | *.dbmdl 237 | *.dbproj.schemaview 238 | *.jfm 239 | *.pfx 240 | *.publishsettings 241 | orleans.codegen.cs 242 | 243 | # Including strong name files can present a security risk 244 | # (https://github.com/github/gitignore/pull/2483#issue-259490424) 245 | #*.snk 246 | 247 | # Since there are multiple workflows, uncomment next line to ignore bower_components 248 | # (https://github.com/github/gitignore/pull/1529#issuecomment-104372622) 249 | #bower_components/ 250 | 251 | # RIA/Silverlight projects 252 | Generated_Code/ 253 | 254 | # Backup & report files from converting an old project file 255 | # to a newer Visual Studio version. Backup files are not needed, 256 | # because we have git ;-) 257 | _UpgradeReport_Files/ 258 | Backup*/ 259 | UpgradeLog*.XML 260 | UpgradeLog*.htm 261 | ServiceFabricBackup/ 262 | *.rptproj.bak 263 | 264 | # SQL Server files 265 | *.mdf 266 | *.ldf 267 | *.ndf 268 | 269 | # Business Intelligence projects 270 | *.rdl.data 271 | *.bim.layout 272 | *.bim_*.settings 273 | *.rptproj.rsuser 274 | *- [Bb]ackup.rdl 275 | *- [Bb]ackup ([0-9]).rdl 276 | *- [Bb]ackup ([0-9][0-9]).rdl 277 | 278 | # Microsoft Fakes 279 | FakesAssemblies/ 280 | 281 | # GhostDoc plugin setting file 282 | *.GhostDoc.xml 283 | 284 | # Node.js Tools for Visual Studio 285 | .ntvs_analysis.dat 286 | node_modules/ 287 | 288 | # Visual Studio 6 build log 289 | *.plg 290 | 291 | # Visual Studio 6 workspace options file 292 | *.opt 293 | 294 | # Visual Studio 6 auto-generated workspace file (contains which files were open etc.) 295 | *.vbw 296 | 297 | # Visual Studio 6 auto-generated project file (contains which files were open etc.) 298 | *.vbp 299 | 300 | # Visual Studio 6 workspace and project file (working project files containing files to include in project) 301 | *.dsw 302 | *.dsp 303 | 304 | # Visual Studio 6 technical files 305 | *.ncb 306 | *.aps 307 | 308 | # Visual Studio LightSwitch build output 309 | **/*.HTMLClient/GeneratedArtifacts 310 | **/*.DesktopClient/GeneratedArtifacts 311 | **/*.DesktopClient/ModelManifest.xml 312 | **/*.Server/GeneratedArtifacts 313 | **/*.Server/ModelManifest.xml 314 | _Pvt_Extensions 315 | 316 | # Paket dependency manager 317 | .paket/paket.exe 318 | paket-files/ 319 | 320 | # FAKE - F# Make 321 | .fake/ 322 | 323 | # CodeRush personal settings 324 | .cr/personal 325 | 326 | # Python Tools for Visual Studio (PTVS) 327 | __pycache__/ 328 | *.pyc 329 | 330 | # Cake - Uncomment if you are using it 331 | # tools/** 332 | # !tools/packages.config 333 | 334 | # Tabs Studio 335 | *.tss 336 | 337 | # Telerik's JustMock configuration file 338 | *.jmconfig 339 | 340 | # BizTalk build output 341 | *.btp.cs 342 | *.btm.cs 343 | *.odx.cs 344 | *.xsd.cs 345 | 346 | # OpenCover UI analysis results 347 | OpenCover/ 348 | 349 | # Azure Stream Analytics local run output 350 | ASALocalRun/ 351 | 352 | # MSBuild Binary and Structured Log 353 | *.binlog 354 | 355 | # NVidia Nsight GPU debugger configuration file 356 | *.nvuser 357 | 358 | # MFractors (Xamarin productivity tool) working folder 359 | .mfractor/ 360 | 361 | # Local History for Visual Studio 362 | .localhistory/ 363 | 364 | # Visual Studio History (VSHistory) files 365 | .vshistory/ 366 | 367 | # BeatPulse healthcheck temp database 368 | healthchecksdb 369 | 370 | # Backup folder for Package Reference Convert tool in Visual Studio 2017 371 | MigrationBackup/ 372 | 373 | # Ionide (cross platform F# VS Code tools) working folder 374 | .ionide/ 375 | 376 | # Fody - auto-generated XML schema 377 | FodyWeavers.xsd 378 | 379 | # VS Code files for those working on multiple tools 380 | .vscode/* 381 | !.vscode/settings.json 382 | !.vscode/tasks.json 383 | !.vscode/launch.json 384 | !.vscode/extensions.json 385 | *.code-workspace 386 | 387 | # Local History for Visual Studio Code 388 | .history/ 389 | 390 | # Windows Installer files from build outputs 391 | *.cab 392 | *.msi 393 | *.msix 394 | *.msm 395 | *.msp 396 | 397 | # JetBrains Rider 398 | *.sln.iml 399 | 400 | **/.DS_Store 401 | .DS_Store 402 | 403 | # Created by https://www.toptal.com/developers/gitignore/api/hugo,go,visualstudiocode 404 | # Edit at https://www.toptal.com/developers/gitignore?templates=hugo,go,visualstudiocode 405 | 406 | ### Go ### 407 | # If you prefer the allow list template instead of the deny list, see community template: 408 | # https://github.com/github/gitignore/blob/main/community/Golang/Go.AllowList.gitignore 409 | # 410 | # Binaries for programs and plugins 411 | *.exe 412 | *.exe~ 413 | *.dll 414 | *.so 415 | *.dylib 416 | 417 | # Test binary, built with `go test -c` 418 | *.test 419 | 420 | # Output of the go coverage tool, specifically when used with LiteIDE 421 | *.out 422 | 423 | ### VisualStudioCode ### 424 | .vscode/* 425 | !.vscode/settings.json 426 | !.vscode/tasks.json 427 | !.vscode/launch.json 428 | !.vscode/extensions.json 429 | !.vscode/*.code-snippets 430 | 431 | # Local History for Visual Studio Code 432 | .history/ 433 | 434 | # Built Visual Studio Code Extensions 435 | *.vsix 436 | 437 | ### VisualStudioCode Patch ### 438 | # Ignore all local history of files 439 | .history 440 | .ionide 441 | 442 | # End of https://www.toptal.com/developers/gitignore/api/hugo,go,visualstudiocode -------------------------------------------------------------------------------- /src/LICENSE: -------------------------------------------------------------------------------- 1 | Apache License 2 | Version 2.0, January 2004 3 | http://www.apache.org/licenses/ 4 | 5 | TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION 6 | 7 | 1. Definitions. 8 | 9 | "License" shall mean the terms and conditions for use, reproduction, 10 | and distribution as defined by Sections 1 through 9 of this document. 11 | 12 | "Licensor" shall mean the copyright owner or entity authorized by 13 | the copyright owner that is granting the License. 14 | 15 | "Legal Entity" shall mean the union of the acting entity and all 16 | other entities that control, are controlled by, or are under common 17 | control with that entity. For the purposes of this definition, 18 | "control" means (i) the power, direct or indirect, to cause the 19 | direction or management of such entity, whether by contract or 20 | otherwise, or (ii) ownership of fifty percent (50%) or more of the 21 | outstanding shares, or (iii) beneficial ownership of such entity. 22 | 23 | "You" (or "Your") shall mean an individual or Legal Entity 24 | exercising permissions granted by this License. 25 | 26 | "Source" form shall mean the preferred form for making modifications, 27 | including but not limited to software source code, documentation 28 | source, and configuration files. 29 | 30 | "Object" form shall mean any form resulting from mechanical 31 | transformation or translation of a Source form, including but 32 | not limited to compiled object code, generated documentation, 33 | and conversions to other media types. 34 | 35 | "Work" shall mean the work of authorship, whether in Source or 36 | Object form, made available under the License, as indicated by a 37 | copyright notice that is included in or attached to the work 38 | (an example is provided in the Appendix below). 39 | 40 | "Derivative Works" shall mean any work, whether in Source or Object 41 | form, that is based on (or derived from) the Work and for which the 42 | editorial revisions, annotations, elaborations, or other modifications 43 | represent, as a whole, an original work of authorship. For the purposes 44 | of this License, Derivative Works shall not include works that remain 45 | separable from, or merely link (or bind by name) to the interfaces of, 46 | the Work and Derivative Works thereof. 47 | 48 | "Contribution" shall mean any work of authorship, including 49 | the original version of the Work and any modifications or additions 50 | to that Work or Derivative Works thereof, that is intentionally 51 | submitted to Licensor for inclusion in the Work by the copyright owner 52 | or by an individual or Legal Entity authorized to submit on behalf of 53 | the copyright owner. For the purposes of this definition, "submitted" 54 | means any form of electronic, verbal, or written communication sent 55 | to the Licensor or its representatives, including but not limited to 56 | communication on electronic mailing lists, source code control systems, 57 | and issue tracking systems that are managed by, or on behalf of, the 58 | Licensor for the purpose of discussing and improving the Work, but 59 | excluding communication that is conspicuously marked or otherwise 60 | designated in writing by the copyright owner as "Not a Contribution." 61 | 62 | "Contributor" shall mean Licensor and any individual or Legal Entity 63 | on behalf of whom a Contribution has been received by Licensor and 64 | subsequently incorporated within the Work. 65 | 66 | 2. Grant of Copyright License. Subject to the terms and conditions of 67 | this License, each Contributor hereby grants to You a perpetual, 68 | worldwide, non-exclusive, no-charge, royalty-free, irrevocable 69 | copyright license to reproduce, prepare Derivative Works of, 70 | publicly display, publicly perform, sublicense, and distribute the 71 | Work and such Derivative Works in Source or Object form. 72 | 73 | 3. Grant of Patent License. Subject to the terms and conditions of 74 | this License, each Contributor hereby grants to You a perpetual, 75 | worldwide, non-exclusive, no-charge, royalty-free, irrevocable 76 | (except as stated in this section) patent license to make, have made, 77 | use, offer to sell, sell, import, and otherwise transfer the Work, 78 | where such license applies only to those patent claims licensable 79 | by such Contributor that are necessarily infringed by their 80 | Contribution(s) alone or by combination of their Contribution(s) 81 | with the Work to which such Contribution(s) was submitted. If You 82 | institute patent litigation against any entity (including a 83 | cross-claim or counterclaim in a lawsuit) alleging that the Work 84 | or a Contribution incorporated within the Work constitutes direct 85 | or contributory patent infringement, then any patent licenses 86 | granted to You under this License for that Work shall terminate 87 | as of the date such litigation is filed. 88 | 89 | 4. Redistribution. You may reproduce and distribute copies of the 90 | Work or Derivative Works thereof in any medium, with or without 91 | modifications, and in Source or Object form, provided that You 92 | meet the following conditions: 93 | 94 | (a) You must give any other recipients of the Work or 95 | Derivative Works a copy of this License; and 96 | 97 | (b) You must cause any modified files to carry prominent notices 98 | stating that You changed the files; and 99 | 100 | (c) You must retain, in the Source form of any Derivative Works 101 | that You distribute, all copyright, patent, trademark, and 102 | attribution notices from the Source form of the Work, 103 | excluding those notices that do not pertain to any part of 104 | the Derivative Works; and 105 | 106 | (d) If the Work includes a "NOTICE" text file as part of its 107 | distribution, then any Derivative Works that You distribute must 108 | include a readable copy of the attribution notices contained 109 | within such NOTICE file, excluding those notices that do not 110 | pertain to any part of the Derivative Works, in at least one 111 | of the following places: within a NOTICE text file distributed 112 | as part of the Derivative Works; within the Source form or 113 | documentation, if provided along with the Derivative Works; or, 114 | within a display generated by the Derivative Works, if and 115 | wherever such third-party notices normally appear. The contents 116 | of the NOTICE file are for informational purposes only and 117 | do not modify the License. You may add Your own attribution 118 | notices within Derivative Works that You distribute, alongside 119 | or as an addendum to the NOTICE text from the Work, provided 120 | that such additional attribution notices cannot be construed 121 | as modifying the License. 122 | 123 | You may add Your own copyright statement to Your modifications and 124 | may provide additional or different license terms and conditions 125 | for use, reproduction, or distribution of Your modifications, or 126 | for any such Derivative Works as a whole, provided Your use, 127 | reproduction, and distribution of the Work otherwise complies with 128 | the conditions stated in this License. 129 | 130 | 5. Submission of Contributions. Unless You explicitly state otherwise, 131 | any Contribution intentionally submitted for inclusion in the Work 132 | by You to the Licensor shall be under the terms and conditions of 133 | this License, without any additional terms or conditions. 134 | Notwithstanding the above, nothing herein shall supersede or modify 135 | the terms of any separate license agreement you may have executed 136 | with Licensor regarding such Contributions. 137 | 138 | 6. Trademarks. This License does not grant permission to use the trade 139 | names, trademarks, service marks, or product names of the Licensor, 140 | except as required for reasonable and customary use in describing the 141 | origin of the Work and reproducing the content of the NOTICE file. 142 | 143 | 7. Disclaimer of Warranty. Unless required by applicable law or 144 | agreed to in writing, Licensor provides the Work (and each 145 | Contributor provides its Contributions) on an "AS IS" BASIS, 146 | WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or 147 | implied, including, without limitation, any warranties or conditions 148 | of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A 149 | PARTICULAR PURPOSE. You are solely responsible for determining the 150 | appropriateness of using or redistributing the Work and assume any 151 | risks associated with Your exercise of permissions under this License. 152 | 153 | 8. Limitation of Liability. In no event and under no legal theory, 154 | whether in tort (including negligence), contract, or otherwise, 155 | unless required by applicable law (such as deliberate and grossly 156 | negligent acts) or agreed to in writing, shall any Contributor be 157 | liable to You for damages, including any direct, indirect, special, 158 | incidental, or consequential damages of any character arising as a 159 | result of this License or out of the use or inability to use the 160 | Work (including but not limited to damages for loss of goodwill, 161 | work stoppage, computer failure or malfunction, or any and all 162 | other commercial damages or losses), even if such Contributor 163 | has been advised of the possibility of such damages. 164 | 165 | 9. Accepting Warranty or Additional Liability. While redistributing 166 | the Work or Derivative Works thereof, You may choose to offer, 167 | and charge a fee for, acceptance of support, warranty, indemnity, 168 | or other liability obligations and/or rights consistent with this 169 | License. However, in accepting such obligations, You may act only 170 | on Your own behalf and on Your sole responsibility, not on behalf 171 | of any other Contributor, and only if You agree to indemnify, 172 | defend, and hold each Contributor harmless for any liability 173 | incurred by, or claims asserted against, such Contributor by reason 174 | of your accepting any such warranty or additional liability. 175 | 176 | END OF TERMS AND CONDITIONS 177 | 178 | APPENDIX: How to apply the Apache License to your work. 179 | 180 | To apply the Apache License to your work, attach the following 181 | boilerplate notice, with the fields enclosed by brackets "[]" 182 | replaced with your own identifying information. (Don't include 183 | the brackets!) The text should be enclosed in the appropriate 184 | comment syntax for the file format. We also recommend that a 185 | file or class name and description of purpose be included on the 186 | same "printed page" as the copyright notice for easier 187 | identification within third-party archives. 188 | 189 | Copyright [yyyy] [name of copyright owner] 190 | 191 | Licensed under the Apache License, Version 2.0 (the "License"); 192 | you may not use this file except in compliance with the License. 193 | You may obtain a copy of the License at 194 | 195 | http://www.apache.org/licenses/LICENSE-2.0 196 | 197 | Unless required by applicable law or agreed to in writing, software 198 | distributed under the License is distributed on an "AS IS" BASIS, 199 | WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. 200 | See the License for the specific language governing permissions and 201 | limitations under the License. 202 | --------------------------------------------------------------------------------