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

Ldap sync #206

Merged
merged 4 commits into from
Sep 12, 2023
Merged
Show file tree
Hide file tree
Changes from all 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
Original file line number Diff line number Diff line change
Expand Up @@ -9,7 +9,7 @@ function serverErrorHandler(server: FastifyInstance): void {
? {
statusCode: reply.statusCode,
error: "Internal Server Error",
message: "Something went wrong",
message: "Something went wrong, " + err.message,
requestId: request.id,
}
: err,
Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -14,6 +14,7 @@ import {
getApplicationObject,
} from "../../../applications/entities/application";
import gr from "../../../global-resolver";
import { logger } from "../../../../core/platform/framework/logger";
import {
ApplicationApiExecutionContext,
ApplicationLoginRequest,
Expand Down Expand Up @@ -171,20 +172,10 @@ export class ApplicationsApiController {
email: string;
first_name: string;
last_name: string;
application_id: string;
company_id: string;
};
}>,
): Promise<any> {
const email = request.body.email.trim().toLocaleLowerCase();
const checkApplication = gr.services.applications.companyApps.get({
application_id: request.body.application_id,
company_id: request.body.company_id,
});

if (!checkApplication) {
throw new Error("Application is not allowed to sync users for this company.");
}

if (await gr.services.users.getByEmail(email)) {
throw new Error("This email is already used");
Expand All @@ -203,12 +194,17 @@ export class ApplicationsApiController {
});
const user = await gr.services.users.create(newUser);

await gr.services.companies.setUserRole(request.body.company_id, user.entity.id, "admin");
const company = await gr.services.companies.getCompany({
id: "00000000-0000-4000-0000-000000000000",
});

await gr.services.companies.setUserRole(company.id, user.entity.id, "member");

await gr.services.users.save(user.entity, {
user: { id: user.entity.id, server_request: true },
});
} catch (err) {
logger.error(err);
throw new Error("An unknown error occured");
}
return {};
Expand Down
2 changes: 0 additions & 2 deletions tdrive/backend/node/src/services/console/clients/remote.ts
Original file line number Diff line number Diff line change
@@ -1,4 +1,3 @@
import { AxiosInstance } from "axios";
import { ConsoleServiceClient } from "../client-interface";
import {
ConsoleCompany,
Expand Down Expand Up @@ -26,7 +25,6 @@ import config from "config";
import { CompanyUserRole } from "src/services/user/web/types";
export class ConsoleRemoteClient implements ConsoleServiceClient {
version: "1";
client: AxiosInstance;

private infos: ConsoleOptions;
private verifier: OidcJwtVerifier;
Expand Down
4 changes: 4 additions & 0 deletions tdrive/backend/utils/ldap-sync/.env.example
Original file line number Diff line number Diff line change
Expand Up @@ -4,3 +4,7 @@ LDAP_BIND_CREDENTIALS=
LDAP_SEARCH_BASE=dc=example,dc=com
LDAP_SEARCH_FILTER=(objectClass=inetorgperson)
API_URL=http://tdrive:4000/api/sync
TDRIVE_URL=http://tdrive:4000/
TDRIVE_CREDENTIALS_ID=application-name
TDRIVE_CREDENTIALS_SECRET=application-secret
LDAP_ATTRIBUTE_MAPPINGS={"firstName": "givenName", "lastName": "sn", "email": "mail"}
1 change: 1 addition & 0 deletions tdrive/backend/utils/ldap-sync/package.json
Original file line number Diff line number Diff line change
Expand Up @@ -3,6 +3,7 @@
"version": "1.0.0",
"description": "",
"main": "index.js",
"type": "module",
"scripts": {
"build": "npm run build:clean && npm run build:ts",
"build:ts": "tsc",
Expand Down
111 changes: 88 additions & 23 deletions tdrive/backend/utils/ldap-sync/src/index.ts
Original file line number Diff line number Diff line change
@@ -1,5 +1,5 @@
import ldap from "ldapjs";
import axios from "axios";
import axios, { AxiosError } from "axios";
import dotenv from "dotenv";

interface UserAttributes {
Expand All @@ -8,27 +8,93 @@ interface UserAttributes {
email: string;
}

dotenv.config();
export interface IApiServiceApplicationTokenRequestParams {
id: string;
secret: string;
}

export interface IApiServiceApplicationTokenResponse {
resource: {
access_token: {
time: number;
expiration: number;
value: string;
type: string;
};
};
}

dotenv.config();
console.log("Run script with the following env: ");
console.log(process.env);

// LDAP server configuration
const ldapConfig = {
url: process.env.LDAP_URL|| "localhost",
url: process.env.LDAP_URL || "localhost",
bindDN: process.env.LDAP_BIND_DN || "",
bindCredentials: process.env.LDAP_BIND_CREDENTIALS || "",
searchBase: process.env.LDAP_SEARCH_BASE || "dc=example,dc=com",
searchFilter: process.env.LDAP_SEARCH_FILTER || "(objectClass=inetorgperson)",
mappings: JSON.parse(process.env.LDAP_ATTRIBUTE_MAPPINGS || "{}"),
timeout: 120,
version: 3,
};

const tdriveConfig = {
url: process.env.TDRIVE_URL || "http://localhost:4000/)",
credentials: {
id: process.env.TDRIVE_CREDENTIALS_ID || "application-name",
secret: process.env.TDRIVE_CREDENTIALS_SECRET || "application-secret",
}
};

const refreshToken = async (): Promise<string> => {
try {
const response = await axios.post<IApiServiceApplicationTokenRequestParams, { data: IApiServiceApplicationTokenResponse }>(
`${tdriveConfig.url.replace(/\/$/, '')}/api/console/v1/login`,
{
id: tdriveConfig.credentials.id,
secret: tdriveConfig.credentials.secret,
},
{
headers: {
Authorization: `Basic ${Buffer.from(`${tdriveConfig.credentials.id}:${tdriveConfig.credentials.secret}`).toString('base64')}`,
},
},
);

const {
resource: {
access_token: { value },
},
} = response.data;

//axiosClient.interceptors.response.use(this.handleResponse, this.handleErrors);

return value;
} catch (error) {
console.error('failed to get application token', error);
console.info('Using token ', tdriveConfig.credentials.id, tdriveConfig.credentials.secret);
console.info(`POST ${tdriveConfig.url.replace(/\/$/, '')}/api/console/v1/login`);
console.info(`Basic ${Buffer.from(`${tdriveConfig.credentials.id}:${tdriveConfig.credentials.secret}`).toString('base64')}`);
throw new Error("Unable to get access to token, see precious errors for details.");
}
};


// Create LDAP client
const client = ldap.createClient({
url: ldapConfig.url,
});

const accessToken = await refreshToken()

const axiosClient = axios.create({
baseURL: tdriveConfig.url,
headers: {
Authorization: `Bearer ${accessToken}`,
},
});

// Bind to LDAP server
client.bind(ldapConfig.bindDN, ldapConfig.bindCredentials, (err) => {
if (err) {
Expand All @@ -41,7 +107,7 @@ client.bind(ldapConfig.bindDN, ldapConfig.bindCredentials, (err) => {
ldapConfig.searchBase,
{
filter: ldapConfig.searchFilter,
attributes: ["uid", "mail", "cn", "sn", "mobile"],
attributes: [ldapConfig.mappings.firstName, ldapConfig.mappings.lastName, ldapConfig.mappings.email],
scope: "sub",
derefAliases: 2,
},
Expand All @@ -54,15 +120,24 @@ client.bind(ldapConfig.bindDN, ldapConfig.bindCredentials, (err) => {
const apiRequests: Promise<any>[] = [];

searchRes.on("searchEntry", (entry: any) => {
console.log('Receive entry:: ' + JSON.stringify(entry.pojo));

// Handle each search result entry
const userAttributes: UserAttributes = {
first_name: entry.attributes[1]?.values[0],
last_name: entry.attributes[2]?.values[0],
email: entry.attributes[3]?.values[0],
first_name: entry.attributes[0]?.values[0],
last_name: entry.attributes[1]?.values[0],
email: entry.attributes[2]?.values[0],
};

// Make API call to tdrive backend with the userAttributes
apiRequests.push(axios.post(process.env.API_URL || "", userAttributes));
if (userAttributes.email) {
//Make API call to tdrive backend with the userAttributes
apiRequests.push(axiosClient.post(process.env.API_URL || "", userAttributes)
.catch((e: AxiosError<any>) => {
console.log(`Error for ${JSON.stringify(userAttributes)}: ${e.message}, body: ${e.response?.data?.message}`);
}));
} else {
console.log(`user ${JSON.stringify(userAttributes)} doesn't have an email`);
}
});

searchRes.on("error", (err) => {
Expand All @@ -75,19 +150,9 @@ client.bind(ldapConfig.bindDN, ldapConfig.bindCredentials, (err) => {
if (unbindErr) {
console.error("LDAP unbind error:", unbindErr);
} else {
Promise.all(apiRequests)
.then((responses) => {
console.log(
"API responses:",
responses.map((r) => r.data)
);
})
.catch((error) => {
console.error("API error:", error);
})
.finally(() => {
console.log("LDAP search completed successfully.");
});

Promise.allSettled(apiRequests)
.finally(() => console.log("LDAP search COMPLETED."));
}
});
});
Expand Down
8 changes: 5 additions & 3 deletions tdrive/backend/utils/ldap-sync/tsconfig.json
Original file line number Diff line number Diff line change
@@ -1,10 +1,12 @@
{
"compilerOptions": {
"target": "es6",
"module": "commonjs",
"target": "esnext",
"module": "esnext",
"moduleResolution": "node",
"outDir": "dist",
"strict": true,
"esModuleInterop": true
"esModuleInterop": true,
"useUnknownInCatchVariables": false
},
"include": ["src"]
}
Expand Down
Loading