• Stars
    star
    277
  • Rank 148,875 (Top 3 %)
  • Language
  • License
    Apache License 2.0
  • Created over 6 years ago
  • Updated 12 months ago

Reviews

There are no reviews yet. Be the first to send feedback to the community and the maintainers!

Repository Details

My IntelliJ Live Templates

Matt Raible’s IntelliJ IDEA Live Templates

These are the IntelliJ IDEA Live Templates that I’ve used in many demos and screencasts over the years.

I used IntelliJ’s sharing live templates feature, to create idea-settings.jar. You should be able to import "Matt Raible’s Shortcuts" using the following steps:

  1. On the File menu, click Import Settings.

  2. Specify the path to the JAR file with the exported live template configuration.

  3. In the Import Settings dialog box, select the Live templates check box and click OK.

  4. After restarting IntelliJ IDEA, you will see the imported live templates on the Live Templates page of the Settings / Preferences Dialog.

Download IntelliJ IDEA today! It’s a spectacular IDEA for Java, Kotlin, TypeScript, JavaScript, S/CSS, and HTML.

If you’d rather not import all of my templates, you can clone this project and open it in IntelliJ (with the Asciidoctor plugin installed). You should be able to edit this file and add the shortcuts below as live templates (Tools > Save as Live Template). Make sure to set the file type to match the language.

Spring Boot

boot-entity

@javax.persistence.Entity
class $entity$ {

    @javax.persistence.Id
    @javax.persistence.GeneratedValue
    private java.lang.Long id;
    private java.lang.String name;

    public $entity$() {}

    public $entity$(String name) {
        this.name = name;
    }

    public java.lang.Long getId() {
        return id;
    }

    public void setId(java.lang.Long id) {
        this.id = id;
    }

    public java.lang.String getName() {
        return name;
    }

    public void setName(java.lang.String name) {
        this.name = name;
    }

    @java.lang.Override
    public java.lang.String toString() {
        return "$entity${" +
                "id=" + id +
                ", name='" + name + '\'' +
                '}';
    }
}

boot-entity-lombok

@lombok.Data
@lombok.AllArgsConstructor
@lombok.NoArgsConstructor
@javax.persistence.Entity
class $name$ {

    public $name$(java.lang.String name) {
        this.name = name;
    }

    @javax.persistence.Id
    @javax.persistence.GeneratedValue
    private java.lang.Long id;

    private java.lang.String name;
}

boot-h2

<dependency>
    <groupId>com.h2database</groupId>
    <artifactId>h2</artifactId>
</dependency>

boot-sql

insert into $entity$ (name) values ('First');
insert into $entity$ (name) values ('Second');

boot-repository

interface $entity$Repository extends JpaRepository<$entity$, java.lang.Long> {}

boot-command

@org.springframework.stereotype.Component
class $entity$CommandLineRunner implements org.springframework.boot.CommandLineRunner {

    private final $entity$Repository repository;

    public $entity$CommandLineRunner($entity$Repository repository) {
        this.repository = repository;
    }

    @java.lang.Override
    public void run(java.lang.String... strings) throws java.lang.Exception {
        repository.findAll().forEach(System.out::println);
    }
}

boot-add

// Top beers from https://www.beeradvocate.com/lists/top/
Stream.of("Kentucky Brunch Brand Stout", "Good Morning", "Very Hazy", "King Julius",
        "Budweiser", "Coors Light", "PBR").forEach(name ->
        repository.save(new Beer(name))
);

boot-controller

@org.springframework.web.bind.annotation.RestController
class $entity$Controller {

    private $entity$Repository repository;

    public $entity$Controller($entity$Repository repository) {
        this.repository = repository;
    }

    @org.springframework.web.bind.annotation.GetMapping("/$uriMapping$")
    java.util.Collection<$entity$> list() {
        return repository.findAll();
    }
}

boot-good

@GetMapping("/good-beers")
public Collection<Beer> goodBeers() {

    return repository.findAll().stream()
            .filter(this::isGreat)
            .collect(Collectors.toList());
}

    private boolean isGreat(Beer beer) {
        return !beer.getName().equals("Budweiser") &&
            !beer.getName().equals("Coors Light") &&
            !beer.getName().equals("PBR");
    }

okta-maven-boot

 <dependency>
    <groupId>com.okta.spring</groupId>
    <artifactId>okta-spring-boot-starter</artifactId>
    <version>$version$</version>
</dependency>

spring-oauth2-yaml

spring:
  security:
    oauth2:
      client:
        registration:
          okta:
            client-id: $clientId$
            client-secret: $clientSecret$
        provider:
          okta:
            authorization-uri: https://$yourOktaDomain$/oauth2/v1/authorize
            token-uri: https://$yourOktaDomain$/oauth2/v1/token
            user-info-uri: https://$yourOktaDomain$/oauth2/v1/userinfo
            jwk-set-uri: https://$yourOktaDomain$/oauth2/v1/keys

okta-oauth2

okta.oauth2.issuer=https://$youtOktaDomain$/oauth2/default
okta.oauth2.clientId=$clientId$

cors-filter

@org.springframework.context.annotation.Bean
public org.springframework.boot.web.servlet.FilterRegistrationBean simpleCorsFilter() {
    org.springframework.web.cors.UrlBasedCorsConfigurationSource source = new org.springframework.web.cors.UrlBasedCorsConfigurationSource();
    org.springframework.web.cors.CorsConfiguration config = new org.springframework.web.cors.CorsConfiguration();
    config.setAllowCredentials(true);
    config.setAllowedOrigins(java.util.Collections.singletonList("http://localhost:4200"));
    config.setAllowedMethods(java.util.Collections.singletonList("*"));
    config.setAllowedHeaders(java.util.Collections.singletonList("*"));
    source.registerCorsConfiguration("/**", config);
    org.springframework.boot.web.servlet.FilterRegistrationBean bean = new org.springframework.boot.web.servlet.FilterRegistrationBean(new org.springframework.web.filter.CorsFilter(source));
    bean.setOrder(org.springframework.core.Ordered.HIGHEST_PRECEDENCE);
    return bean;
}

Angular

ng-giphy-service

import { Injectable } from '@angular/core';
import { HttpClient } from '@angular/common/http';
import 'rxjs/add/operator/map';

@Injectable()
// http://tutorials.pluralsight.com/front-end-javascript/getting-started-with-angular-2-by-building-a-giphy-search-application
export class GiphyService {

  // Public beta key: https://github.com/Giphy/GiphyAPI#public-beta-key
  giphyApi = '//api.giphy.com/v1/gifs/search?api_key=dc6zaTOxFJmzC&limit=1&q=';

  constructor(public http: HttpClient) {
  }

  get(searchTerm) {
    const apiLink = this.giphyApi + searchTerm;
    return this.http.get(apiLink).map((response: any) => {
      if (response.data.length > 0) {
        return response.data[0].images.original.url;
      } else {
        return 'https://media.giphy.com/media/YaOxRsmrv9IeA/giphy.gif'; // dancing cat for 404
      }
    });
  }
}

ng-giphy-foreach

for (const $item$ of this.$item$s) {
  this.giphyService.get($item$.name).subscribe(url => $item$.giphyUrl = url);
}

ng-okta-service

import { Injectable } from '@angular/core';
import * as OktaSignIn from '@okta/okta-signin-widget/dist/js/okta-sign-in.min.js'
import { ReplaySubject } from 'rxjs/ReplaySubject';
import { Observable } from 'rxjs/Observable';

@Injectable()
export class OktaAuthService {

  signIn = new OktaSignIn({
    baseUrl: 'https://$yourOktaDomain$',
    clientId: '$clientId$',
    authParams: {
      issuer: 'https://$yourOktaDomain$',
      responseType: ['id_token', 'token'],
      scopes: ['openid', 'email', 'profile']
    }
  });

  public user$: Observable<any>;
  public userSource: ReplaySubject<any>;

  constructor() {
    this.userSource = new ReplaySubject<any>(1);
    this.user$ = this.userSource.asObservable();
  }

  isAuthenticated() {
    // Checks if there is a current accessToken in the TokenManger.
    return !!this.signIn.tokenManager.get('accessToken');
  }

  login() {
    // Launches the widget and stores the tokens.
    this.signIn.renderEl({el: '#okta-signin-container'}, response => {
      if (response.status === 'SUCCESS') {
        response.forEach(token => {
          if (token.idToken) {
            this.signIn.tokenManager.add('idToken', token);
          }
          if (token.accessToken) {
            this.signIn.tokenManager.add('accessToken', token);
          }
          this.userSource.next(this.idTokenAsUser);
          this.signIn.hide();
        });
      } else {
        console.error(response);
      }
    });
  }

  get idTokenAsUser() {
    const token = this.signIn.tokenManager.get('idToken');
    return {
      name: token.claims.name,
      email: token.claims.email,
      username: token.claims.preferred_username
    }
  }

  async logout() {
    // Terminates the session with Okta and removes current tokens.
    this.signIn.tokenManager.clear();
    await this.signIn.signOut();
    this.signIn.remove();
    this.userSource.next(undefined);
  }
}

ng-okta-headers

const headers: Headers = new Headers();
if (this.oktaService.isAuthenticated()) {
  const accessToken = this.oktaService.signIn.tokenManager.get('accessToken');
  headers.append('Authorization', accessToken.tokenType + ' ' + accessToken.accessToken);
}
const options = new RequestOptions({ headers: headers });

ng-okta-oninit

user;

  constructor(public oktaService: OktaAuthService, private changeDetectorRef: ChangeDetectorRef) {
  }

  ngOnInit() {
    // 1. for initial load and browser refresh
    if (this.oktaService.isAuthenticated()) {
      this.user = this.oktaService.idTokenAsUser;
    } else {
      this.oktaService.login();
    }

    // 2. register a listener for authentication and logout
    this.oktaService.user$.subscribe(user => {
      this.user = user;
      if (!user) {
        this.oktaService.login();
      }
      // Let Angular know that model changed.
      // See https://github.com/okta/okta-signin-widget/issues/268 for more info.
      this.changeDetectorRef.detectChanges();
    });
  }

ng-okta-login

<!-- Container to inject the Sign-In Widget -->
<div id="okta-signin-container"></div>

<div *ngIf="user">
  <h2>
    Welcome {{user?.name}}!
  </h2>

  <button mat-raised-button (click)="oktaService.logout()">Logout</button>
</div>
<div [hidden]="!user">
  <app-beer-list></app-beer-list>
</div>

ng-okta-css

@import '~https://ok1static.oktacdn.com/assets/js/sdk/okta-signin-widget/2.1.0/css/okta-sign-in.min.css';
@import '~https://ok1static.oktacdn.com/assets/js/sdk/okta-signin-widget/2.1.0/css/okta-theme.css';

Cloud Foundry

cf-manifest

applications:

- name: beer-server
  host: beer-server
  path: ./server/target/demo-0.0.1-SNAPSHOT.jar
  env :
    FORCE_HTTPS: true

- name: beer-client
  host: beer-client
  path: ./client/dist/
  env :
    FORCE_HTTPS: true

cf-build

#!/bin/bash

# set origin for client on server
sed -i -e "s|http://localhost:4200|https://beer-server.cfapps.io|g" $start/server/src/main/java/com/okta/developer/demo/DemoApplication.java

mvn clean package -f $start/server/pom.xml

cd $start/client
rm -rf dist
# set API URL
sed -i -e "s|http://localhost:8080|https://beer-server.cfapps.io|g" $start/client/src/app/shared/beer/beer.service.ts
# set redirectURI to client URI
sed -i -e "s|http://localhost:4200|https://beer-client.cfapps.io|g" $start/client/src/app/shared/okta/okta.service.ts
yarn && ng build -prod --aot
touch dist/Staticfile
# enable pushstate so no 404s on refresh
echo 'pushstate: enabled' > dist/Staticfile

cd $start
cf push

# reset and remove changed files
git checkout $start
rm -rf $start/server/src/main/java/com/okta/developer/demo/DemoApplication.java-e
rm -rf $start/client/src/app/shared/beer/beer.service.ts-e
rm -rf $start/client/src/app/shared/okta/okta.service.ts-e

cf-react

#!/bin/bash
# Warning: this script has only been tested on macOS Sierra. There's a good chance
# it won't work on other operating systems. If you get it working on another OS,
# please send a pull request with any changes required. Thanks!
set -e

### CloudFoundry CLI utilities
CLOUD_DOMAIN=${DOMAIN:-run.pivotal.io}
CLOUD_TARGET=api.${DOMAIN}

function login(){
    cf api | grep ${CLOUD_TARGET} || cf api ${CLOUD_TARGET} --skip-ssl-validation
    cf apps | grep OK || cf login
}

function app_domain(){
    D=`cf apps | grep $1 | tr -s ' ' | cut -d' ' -f 6 | cut -d, -f1`
    echo $D
}

function deploy_service(){
    N=$1
    D=`app_domain $N`
    JSON='{"uri":"http://'$D'"}'
    cf create-user-provided-service $N -p $JSON
}

### Installation

cd `dirname $0`
r=`pwd`
echo $r

## Reset
cf d -f react-client
cf d -f good-beer-server

cf a

# Deploy the server
cd $r/server
mvn clean package
cf push -p target/*jar good-beer-server --no-start  --random-route
cf set-env good-beer-server FORCE_HTTPS true

# Get the URL for the server
serverUri=https://`app_domain good-beer-server`

# Deploy the client
cd $r/client
rm -rf build
# replace the server URL in the client
sed -i -e "s|http://localhost:8080|$serverUri|g" $r/client/src/BeerList.tsx
yarn && yarn build
cd build
touch Staticfile
echo 'pushstate: enabled' > Staticfile
cf push react-client --no-start --random-route
cf set-env react-client FORCE_HTTPS true
cf start react-client

# Get the URL for the client
clientUri=https://`app_domain react-client`

# replace the client URL in the server
sed -i -e "s|http://localhost:3000|$clientUri|g" $r/server/src/main/java/com/example/demo/DemoApplication.java

# redeploy the server
cd $r/server
mvn package -DskipTests
cf push -p target/*jar good-beer-server

# cleanup changed files
git checkout $r/client
git checkout $r/server
rm $r/client/src/BeerList.tsx-e
rm $r/server/src/main/java/com/example/demo/DemoApplication.java-e

# show apps and URLs
cf apps

Heroku

heroku-react

#!/bin/bash
# Warning: this script has only been tested on macOS Sierra. There's a good chance
# it won't work on other operating systems. If you get it working on another OS,
# please send a pull request with any changes required. Thanks!
set -e

cd `dirname $0`
r=`pwd`
echo $r

if [ -z "$(which heroku)" ]; then
  echo "You must install the Heroku CLI first!"
  echo "https://devcenter.heroku.com/articles/heroku-cli"
  exit 1
fi

if ! echo "$(heroku plugins)" | grep -q heroku-cli-deploy; then
  heroku plugins:install heroku-cli-deploy
fi

if ! echo "$(git remote -v)" | grep -q good-beer-server-; then
  server_app=good-beer-server-$RANDOM
  heroku create -r server $server_app
else
  server_app=$(heroku apps:info -r server --json | python -c 'import json,sys;print json.load(sys.stdin)["app"]["name"]')
fi
serverUri="https://$server_app.herokuapp.com"

if ! echo "$(git remote -v)" | grep -q react-client-; then
  client_app=react-client-$RANDOM
  heroku create -r client $client_app
else
  client_app=$(heroku apps:info -r client --json | python -c 'import json,sys;print json.load(sys.stdin)["app"]["name"]')
fi
clientUri="https://$client_app.herokuapp.com"

# replace the client URL in the server
sed -i -e "s|http://localhost:3000|$clientUri|g" $r/server/src/main/java/com/example/demo/DemoApplication.java

# Deploy the server
cd $r/server
mvn clean package -DskipTests

heroku deploy:jar target/*jar -r server -o "--server.port=\$PORT"
heroku config:set -r server FORCE_HTTPS="true"

# Deploy the client
cd $r/client
rm -rf build
# replace the server URL in the client
sed -i -e "s|http://localhost:8080|$serverUri|g" $r/client/src/BeerList.tsx
yarn && yarn build
cd build

cat << EOF > static.json
{
  "https_only": true,
  "root": ".",
  "routes": {
    "/**": "index.html"
  }
}
EOF

rm -f ../dist.tgz
tar -zcvf ../dist.tgz .

# TODO replace this with the heroku-cli-static command `heroku static:deploy`
source=$(curl -n -X POST https://api.heroku.com/apps/$client_app/sources -H 'Accept: application/vnd.heroku+json; version=3')
get_url=$(echo "$source" | python -c 'import json,sys;print json.load(sys.stdin)["source_blob"]["get_url"]')
put_url=$(echo "$source" | python -c 'import json,sys;print json.load(sys.stdin)["source_blob"]["put_url"]')
curl "$put_url" -X PUT -H 'Content-Type:' --data-binary @../dist.tgz
cat << EOF > build.json
{
  "buildpacks": [{ "url": "https://github.com/heroku/heroku-buildpack-static" }],
  "source_blob": { "url" : "$get_url" }
}
EOF
build_out=$(curl -n -s -X POST https://api.heroku.com/apps/$client_app/builds \
  -d "$(cat build.json)" \
  -H 'Accept: application/vnd.heroku+json; version=3' \
  -H "Content-Type: application/json")
output_stream_url=$(echo "$build_out" | python -c 'import json,sys;print json.load(sys.stdin)["output_stream_url"]')
curl -s -L "$output_stream_url"

rm build.json
rm ../dist.tgz

# cleanup changed files
git checkout $r/client
git checkout $r/server
rm $r/client/src/BeerList.tsx-e
rm $r/server/src/main/java/com/example/demo/DemoApplication.java-e

# show apps and URLs
heroku open -r client

JHipster

jh-findBy

findByBlogUserLoginOrderByDateDesc(
            org.jhipster.blog.security.SecurityUtils.getCurrentUserLogin().orElse(null), pageable);

jh-get

if (blog.isPresent() && blog.get().getUser() != null &&
    !blog.get().getUser().getLogin().equals(org.jhipster.blog.security.SecurityUtils.getCurrentUserLogin().orElse(""))) {
    return new org.springframework.http.ResponseEntity<>("Unauthorized", org.springframework.http.HttpStatus.UNAUTHORIZED);
}

jh-entries

<div class="table-responsive" *ngIf="entries">
    <div infinite-scroll (scrolled)="loadPage(page + 1)" [infiniteScrollDisabled]="page >= links['last']" [infiniteScrollDistance]="0">
        <div *ngFor="let entry of entries; trackBy: trackId">
            <h2>{{entry.title}}</h2>
            <small>Posted on {{entry.date | date: 'short'}} by {{entry.blog.user.login}}</small>
            <div [innerHTML]="entry.content"></div>
            <div class="btn-group mb-2 mt-1">
                <button type="submit"
                        [routerLink]="['/entry', entry.id, 'edit']"
                        class="btn btn-primary btn-sm">
                    <fa-icon [icon]="'pencil-alt'"></fa-icon>
                    <span class="d-none d-md-inline" jhiTranslate="entity.action.edit">Edit</span>
                </button>
                <button type="submit"
                        [routerLink]="['/', { outlets: { popup: 'entry/'+ entry.id + '/delete'} }]"
                        replaceUrl="true"
                        queryParamsHandling="merge"
                        class="btn btn-danger btn-sm">
                    <fa-icon [icon]="'times'"></fa-icon>
                    <span class="d-none d-md-inline" jhiTranslate="entity.action.delete">Delete</span>
                </button>
            </div>
        </div>
    </div>
</div>

React

okta-react-config

const config = {
  issuer: 'https://$yourOktaDomain$/oauth2/default',
  redirectUri: window.location.origin + '/implicit/callback',
  clientId: '$clientId$'
};

export interface Auth {
  login(): {};
  logout(): {};
  isAuthenticated(): boolean;
  getAccessToken(): string;
}

okta-react-render

render() {
  return (
    <Router>
      <Security
        issuer={config.issuer}
        client_id={config.clientId}
        redirect_uri={config.redirectUri}
      >
        <Route path="/" exact={true} component={Home}/>
        <Route path="/implicit/callback" component={ImplicitCallback}/>
      </Security>
    </Router>
  );
}

okta-react-home

import * as React from 'react';
import './App.css';
import BeerList from './BeerList';
import { withAuth } from '@okta/okta-react';
import { Auth } from './App';

const logo = require('./logo.svg');

interface HomeProps {
  auth: Auth;
}

interface HomeState {
  authenticated: boolean;
}

export default withAuth(class Home extends React.Component<HomeProps, HomeState> {
  constructor(props: HomeProps) {
    super(props);
    this.state = {authenticated: false};
    this.checkAuthentication = this.checkAuthentication.bind(this);
    this.checkAuthentication();
  }

  async checkAuthentication() {
    const isAuthenticated = await this.props.auth.isAuthenticated();
    const {authenticated} = this.state;
    if (isAuthenticated !== authenticated) {
      this.setState({authenticated: isAuthenticated});
    }
  }

  componentDidUpdate() {
    this.checkAuthentication();
  }

  render() {
    const {authenticated} = this.state;
    let body = null;
    if (authenticated) {
      body = (
        <div className="Buttons">
          <button onClick={this.props.auth.logout}>Logout</button>
          <BeerList auth={this.props.auth}/>
        </div>
      );
    } else {
      body = (
        <div className="Buttons">
          <button onClick={this.props.auth.login}>Login</button>
        </div>
      );
    }

    return (
      <div className="App">
        <div className="App-header">
          <img src={logo} className="App-logo" alt="logo"/>
          <h2>Welcome to React</h2>
        </div>
        {body}
      </div>
    );
  }
});

okta-react-token

async componentDidMount() {
  this.setState({isLoading: true});

  const response = await fetch('http://localhost:8080/good-beers', {
    headers: {
      Authorization: 'Bearer ' + await this.props.auth.getAccessToken()
    }
  });
  const data = await response.json();
  this.setState({beers: data, isLoading: false});
}

Contributing

Want to add more? Have you figured out how to import live templates? Send a pull request!

More Repositories

1

history-of-web-frameworks-timeline

The history of web frameworks as described by a timeline of releases.
369
star
2

21-points

❤️ 21-Points Health is an app you can use to monitor your health.
TypeScript
282
star
3

jhipster4-demo

Blog demo app with JHipster 4
Java
179
star
4

ng-demo

🦴 Bare Bones Angular and Angular CLI Tutorial
TypeScript
177
star
5

infoq-mini-book

Template project for creating an InfoQ Mini-Book with Asciidoctor
CSS
172
star
6

jhipster6-demo

JHipster 6 Demo! 🎉
Java
153
star
7

jhipster7-demo

JHipster 7 Demo! 🔥
TypeScript
81
star
8

jhipster5-demo

Get Started with JHipster 5 Tutorial and Example
Java
80
star
9

ajax-login

Ajax Login
JavaScript
46
star
10

angular2-tutorial

Getting Started with Angular 2
TypeScript
46
star
11

boot-ionic

An example mobile app written with Ionic Framework
JavaScript
36
star
12

microservices-for-the-masses

Microservices for the Masses with Spring Boot, JHipster, and JWT
CSS
36
star
13

java-webapp-security-examples

Example projects showing how to configure security with Java EE, Spring Security and Apache Shiro.
Java
36
star
14

jhipster8-demo

JHipster 8 Demo! 🌟
TypeScript
34
star
15

cloud-native-pwas

Cloud Native Progressive Web Apps with Spring Boot and Angular
Shell
31
star
16

spring-native-examples

JHipster Works with Spring Native!
Java
24
star
17

boot-makeover

A Webapp Makeover with Spring 4 and Spring Boot
Java
23
star
18

jhipster-book

The JHipster Mini-Book
CSS
21
star
19

camel-rest-swagger

Camel with Spring JavaConfig and Camel's REST + Swagger support with no web.xml
JavaScript
20
star
20

play-more

HTML5 Fitness Tracking with Play!
JavaScript
17
star
21

mobile-jhipster

Mobile Development with Ionic, React Native, and JHipster
TypeScript
17
star
22

jhipster-demo

JHipster 2 Demo
Java
16
star
23

java-rest-api-examples

Java REST API Examples
HTML
15
star
24

ionic-jhipster-example

Example of integrating Ionic with JHipster
Java
13
star
25

webflux-oauth2

Spring Webflux with OAuth
Java
11
star
26

devoxxus-jhipster-microservices-demo

JHipster Microservices Demo Code from Devoxx US 2017
Java
10
star
27

angular-tutorial

Getting Started with AngularJS
JavaScript
10
star
28

nuxt-spring-boot

Vue
7
star
29

angular-book

The Angular Mini-Book
TypeScript
7
star
30

spring-kickstart

JavaScript
7
star
31

jhipster-reactive-microservices-oauth2

Java
6
star
32

appfuse-noxml

A work-in-progress version of AppFuse with no XML
Java
6
star
33

okta-spring-boot-angular-example

TypeScript
6
star
34

jhipster-oidc-example

Example of doing OIDC Login with Keycloak and Okta
Java
5
star
35

okta-scim-spring-boot-example

A SCIM Example with Apache SCIMple and Spring Boot
Java
5
star
36

ionic-4-oidc-demo

Angular/Cordova demo of Ionic App Auth
TypeScript
4
star
37

spring-boot-oauth

Java
4
star
38

auth0-react-example

JavaScript
4
star
39

jhipster-stormpath-example

Example app showing how to integrate Stormpath into JHipster 3.x
Java
4
star
40

javaone2017-jhipster-demo

Blog application created during my JHipster talk at JavaOne 2017
Java
3
star
41

spring-boot-postgresql

Java
3
star
42

webflux-mongodb

Java
3
star
43

okta-native-hints

Java
3
star
44

jhipster-reactive-monolith-oauth2

Java
3
star
45

infoq-mini-book-presentation

Writing an InfoQ Mini-Book with Asciidoctor
JavaScript
3
star
46

play-scalate

Play Plugin for Scalate
Scala
3
star
47

okta-react-quickstart

JavaScript
3
star
48

okta-spring-boot-saml-example

Java
3
star
49

jhipster-micro-frontends

JHipster Microservices Architecture with Micro Frontends
Java
3
star
50

appauth-react-electron

JavaScript
2
star
51

react-native-logout-issue

JavaScript
2
star
52

angular-app

HTML
2
star
53

jx-demo

Java
2
star
54

jhipster-microfrontends-react

Java
2
star
55

speaking-tour

How to plan a speaking tour
2
star
56

vue-gateway

Java
2
star
57

bjug-microservices

Microservices with JHipster example from Boulder JUG - February 2020
Java
2
star
58

jhipster-sb3-csrf

Java
1
star
59

21-points-v7

TypeScript
1
star
60

environment-marespring-production

Makefile
1
star
61

mraible

1
star
62

blog-oauth2-native

TypeScript
1
star
63

blazor-test

C#
1
star
64

okta-react-auth-js

JavaScript
1
star
65

jwt-client

TypeScript
1
star
66

history-of-online-video-timeline

1
star
67

webflux-couchbase

Java
1
star
68

auth0-expenses-api

JavaScript
1
star
69

ionic-jhipster

TypeScript
1
star
70

ionic-4-oauth2

TypeScript
1
star
71

jhipster-ionic-images

Example repo with image upload/view/delete working
TypeScript
1
star
72

jhipster-blog-oauth2

Java
1
star
73

jhipster-flickr2

GitHub Actions for GraalVM images example
Java
1
star
74

spinnaker-store

Java
1
star
75

my-cool-app

JavaScript
1
star
76

jhipster4-stormpath-example

JHipster 4 + Stormpath + JWT Example
TypeScript
1
star
77

grails-oauth-example

Grails application demonstrating OAuth with LinkedIn's API
1
star
78

jhipster-oauth-example

This repo is temporary. It will be deleted soon. I'm creating it for community code review.
Java
1
star
79

okta-react-signin-widget

JavaScript
1
star
80

jhipster-microfrontends-angular

Java
1
star
81

html5-denver

TypeScript
1
star