Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Okta initial integrations #282

Merged
merged 12 commits into from
May 28, 2024
Merged
Show file tree
Hide file tree
Changes from 6 commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
205 changes: 193 additions & 12 deletions backend/src/api/app.ts
Original file line number Diff line number Diff line change
Expand Up @@ -21,11 +21,19 @@
import * as savedSearches from './saved-searches';
import rateLimit from 'express-rate-limit';
import { createProxyMiddleware } from 'http-proxy-middleware';
import { UserType } from '../models';
import { User, UserType, connectToDatabase } from '../models';
import * as assessments from './assessments';
import * as jwt from 'jsonwebtoken';
import { Request, Response, NextFunction } from 'express';
import { CognitoIdentityServiceProvider } from 'aws-sdk';
import fetch from 'node-fetch';

const sanitizer = require('sanitizer');

const cognito = new CognitoIdentityServiceProvider({
region: process.env.AWS_REGION
});

if (
(process.env.IS_OFFLINE || process.env.IS_LOCAL) &&
typeof jest === 'undefined'
Expand Down Expand Up @@ -107,32 +115,205 @@

app.use((req, res, next) => {
res.setHeader('X-XSS-Protection', '0');
// Okta header
res.setHeader('Access-Control-Allow-Credentials', 'true');
next();
});

const setAuthorizationHeader = (
req: Request,
res: Response,
next: NextFunction
) => {
const accessToken = req.cookies.access_token;

if (accessToken) {
req.headers.authorization = `Bearer ${accessToken}`;
}

next();
};

app.use(cookieParser());
app.use(setAuthorizationHeader);

app.get('/whoami', (req, res, next) => {
// TODO: Test and determine if this can be removed.
// if (!req.isAuthenticated()) {
// console.log('User not authenticated.');
// return res.status(401).json({
// message: 'Unauthorized'
// });
// } else {
// console.log('User Authenticated');

github-advanced-security[bot] marked this conversation as resolved.
Fixed
Show resolved Hide resolved
// // You can log other SAML attributes similarly
// // return res.status(200).json({ user: req.user });
// }
return next();
});

interface DecodedToken {
sub: string;
email: string;
'cognito:username': string;
'custom:OKTA_ID': string;
given_name: string;
family_name: string;
email_verified: boolean;
[key: string]: any; // Index signature for additional properties
}

// Okta Callback Handler
app.post('/auth/callback', async (req, res) => {
console.log('Request Body: ', req.body);
const { code } = req.body;
const clientId = process.env.COGNITO_CLIENT_ID;
const callbackUrl = process.env.COGNITO_CALLBACK_URL;
const domain = process.env.COGNITO_DOMAIN;

if (!code) {
return res.status(400).json({ message: 'Missing authorization code' });
}

try {
if (!callbackUrl) {
throw new Error('callbackUrl is required');
}

const tokenEndpoint = `https://${domain}/oauth2/token`;
const tokenData = `grant_type=authorization_code&client_id=${clientId}&code=${code}&redirect_uri=${callbackUrl}&scope=openid`;

const response = await fetch(tokenEndpoint, {
method: 'POST',
headers: {
'Content-Type': 'application/x-www-form-urlencoded'
},
body: tokenData
});
const { id_token, access_token, refresh_token } = await response.json();

if (!id_token) {
throw new Error('ID token is missing in the response');
}

const decodedToken = jwt.decode(id_token) as DecodedToken;
if (!decodedToken) {
throw new Error('Failed to decode ID token');
}

const cognitoUsername = decodedToken['cognito:username'];
const oktaId = decodedToken['custom:OKTA_ID'];
console.log('Cognito Username:', cognitoUsername);
console.log('Cognito OKTA_ID:', oktaId);

console.log('ID Token:', id_token);
console.log('Decoded Token:', decodedToken);

jwt.verify(
id_token,
auth.getKey,
{ algorithms: ['RS256'] },
async (err, payload) => {
if (err) {
console.log('Error: ', err);
return res.status(401).json({ message: 'Invalid ID token' });
}

await connectToDatabase();

let user = await User.findOne({ email: decodedToken.email });

if (!user) {
user = User.create({
email: decodedToken.email,
oktaId: oktaId,
firstName: decodedToken.given_name,
lastName: decodedToken.family_name,
invitePending: true
});
await user.save();
} else {
user.oktaId = oktaId;
await user.save();
}

res.cookie('access_token', access_token, {
httpOnly: true,
secure: true
});
res.cookie('refresh_token', refresh_token, {
httpOnly: true,
secure: true
});

if (user) {
if (!process.env.JWT_SECRET) {
throw new Error('JWT_SECRET is not defined');
}

const signedToken = await jwt.sign(
{ id: user.id, email: user.email },
process.env.JWT_SECRET,
{ expiresIn: '1d' }
);

res.cookie('id_token', signedToken, { httpOnly: true, secure: true });

return res.status(200).json({
token: signedToken,
user: user
});
}
}
);
} catch (error) {
console.error(
'Token exchange error:',
error.response ? error.response.data : error.message
);
res.status(500).json({
message: 'Authentication failed',
error: error.response ? error.response.data : error.message
});
}
});

app.get('/', handlerToExpress(healthcheck));
app.post('/auth/login', handlerToExpress(auth.login));
app.post('/auth/callback', handlerToExpress(auth.callback));
app.post('/users/register', handlerToExpress(users.register));
app.post('/readysetcyber/register', handlerToExpress(users.RSCRegister));

app.get('/notifications', handlerToExpress(notifications.list));

const checkUserLoggedIn = async (req, res, next) => {
req.requestContext = {
authorizer: await auth.authorize({
authorizationToken: req.headers.authorization
})
};
if (
!req.requestContext.authorizer.id ||
req.requestContext.authorizer.id === 'cisa:crossfeed:anonymous'
) {
console.log('Checking if user is logged in.');

const authorizationHeader = req.headers.authorization;

if (!authorizationHeader) {
return res.status(401).send('Not logged in');
}
return next();

try {
req.requestContext = {
authorizer: await auth.authorize({
authorizationToken: authorizationHeader
})
};

if (
!req.requestContext.authorizer.id ||
req.requestContext.authorizer.id === 'cisa:crossfeed:anonymous'
) {
return res.status(401).send('Not logged in');
}

return next();
} catch (error) {
console.error('Error authorizing user:', error);
return res.status(500).send('Internal server error');
}
};

const checkUserSignedTerms = (req, res, next) => {
Expand Down
2 changes: 1 addition & 1 deletion backend/src/api/auth.ts
Original file line number Diff line number Diff line change
Expand Up @@ -51,7 +51,7 @@ const client = jwksClient({
jwksUri: `https://cognito-idp.us-east-1.amazonaws.com/${process.env.REACT_APP_USER_POOL_ID}/.well-known/jwks.json`
});

function getKey(header, callback) {
export function getKey(header, callback) {
client.getSigningKey(header.kid, function (err, key) {
const signingKey = key?.getPublicKey();
callback(null, signingKey);
Expand Down
6 changes: 6 additions & 0 deletions backend/src/models/user.ts
Original file line number Diff line number Diff line change
Expand Up @@ -32,6 +32,12 @@ export class User extends BaseEntity {
})
cognitoId: string;

@Index({ unique: true })
@Column({
nullable: true
})
oktaId: string;

@Index({ unique: true })
@Column({
nullable: true
Expand Down
2 changes: 2 additions & 0 deletions frontend/src/App.tsx
Original file line number Diff line number Diff line change
Expand Up @@ -22,6 +22,7 @@ import {
Domains,
Feeds,
LoginGovCallback,
OktaCallback,
RegionUsers,
Reports,
Risk,
Expand Down Expand Up @@ -122,6 +123,7 @@ const App: React.FC = () => (
path="/login-gov-callback"
component={LoginGovCallback}
/>
<Route exact path="/okta-callback" component={OktaCallback} />
<Route
exact
path="/create-account"
Expand Down
26 changes: 26 additions & 0 deletions frontend/src/pages/AuthLogin/AuthLogin.tsx
Original file line number Diff line number Diff line change
Expand Up @@ -25,6 +25,27 @@ I18n.putVocabulariesForLanguage('en-US', {
'Confirm TOTP Code': 'Enter 2FA Code'
});

// TODO make this redirection link replace the primary login UI component on landing
// page which will remove the extra unnecessary login screen step.
const LoginButton = () => {
// TODO: Capture default values here once determined
const domain = process.env.COGNITO_DOMAIN || 'default_value';
const clientId = process.env.COGNITO_CLIENT_ID || 'default_value';
const callbackUrl = process.env.COGNITO_CALLBACK_URL || 'default_value';
const encodedCallbackUrl = encodeURIComponent(callbackUrl);

const redirectToAuth = () => {
// Adjust this callback URL once determined
window.location.href = `https://${domain}/oauth2/authorize?client_id=${clientId}&response_type=code&scope=email+openid+profile&redirect_uri=${encodedCallbackUrl}`;
};

return (
<Button onClick={redirectToAuth} type={'button'}>
Login with Okta
</Button>
);
};

interface Errors extends Partial<FormData> {
global?: string;
}
Expand Down Expand Up @@ -214,6 +235,11 @@ export const AuthLogin: React.FC<{ showSignUp?: boolean }> = ({
</Link>
</Box>
</Grid>
<Grid item xs={12}>
<Box pt={3} display="flex" justifyContent="center">
<LoginButton />
</Box>
</Grid>
<Grid item xs={12}>
<CrossfeedWarning />
</Grid>
Expand Down
52 changes: 52 additions & 0 deletions frontend/src/pages/OktaCallback/OktaCallback.tsx
Original file line number Diff line number Diff line change
@@ -0,0 +1,52 @@
import React, { useCallback, useEffect } from 'react';
import { parse } from 'query-string';
import { useAuthContext } from 'context';
import { User } from 'types';
import { useHistory } from 'react-router-dom';

type OktaCallbackResponse = {
token: string;
user: User;
};

export const OktaCallback: React.FC = () => {
const { apiPost, login } = useAuthContext();
const history = useHistory();

const handleOktaCallback = useCallback(async () => {
const { code } = parse(window.location.search);
console.log('Code: ', code);
const nonce = localStorage.getItem('nonce');
console.log('Nonce: ', nonce);

try {
// Pass request to backend callback endpoint
const response = await apiPost<OktaCallbackResponse>('/auth/callback', {
body: {
code: code
}
});
console.log('Response: ', response);
console.log('token ', response.token);

// Login
await login(response.token);

// Storage Management
localStorage.setItem('token', response.token);
localStorage.removeItem('nonce');
localStorage.removeItem('state');

history.push('/');
} catch (e) {
console.error(e);
history.push('/');
}
}, [apiPost, history, login]);

useEffect(() => {
handleOktaCallback();
}, [handleOktaCallback]);

return <div>Loading...</div>;
};
1 change: 1 addition & 0 deletions frontend/src/pages/OktaCallback/index.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1 @@
export * from './OktaCallback';
1 change: 1 addition & 0 deletions frontend/src/pages/index.ts
Original file line number Diff line number Diff line change
Expand Up @@ -4,6 +4,7 @@ export * from './AuthCreateAccount';
export * from './Domains';
export * from './Domain';
export * from './LoginGovCallback';
export * from './OktaCallback';
export * from './Scans';
export * from './Search';
export * from './TermsOfUse';
Expand Down
Loading