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

Contxtful Bid Adapter: New adapter #12256

Open
wants to merge 12 commits into
base: master
Choose a base branch
from
Open
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
215 changes: 215 additions & 0 deletions modules/contxtfulBidAdapter.js
Original file line number Diff line number Diff line change
@@ -0,0 +1,215 @@
import { registerBidder } from '../src/adapters/bidderFactory.js';
import { BANNER, NATIVE, VIDEO } from '../src/mediaTypes.js';
import { _each, buildUrl, isStr, isEmptyStr, logInfo, logError } from '../src/utils.js';
import * as ajax from '../src/ajax.js';
import { config as pbjsConfig } from '../src/config.js';
import {
isBidRequestValid,
interpretResponse,
getUserSyncs as getUserSyncsLib,
} from '../libraries/teqblazeUtils/bidderUtils.js';
import {ortbConverter} from '../libraries/ortbConverter/converter.js';

// Constants
const BIDDER_CODE = 'contxtful';
const BIDDER_ENDPOINT = 'prebid.receptivity.io';
const MONITORING_ENDPOINT = 'monitoring.receptivity.io';
const DEFAULT_NET_REVENUE = true;
const DEFAULT_TTL = 300;

// ORTB conversion
const converter = ortbConverter({
context: {
netRevenue: DEFAULT_NET_REVENUE,
ttl: DEFAULT_TTL
},
imp(buildImp, bidRequest, context) {
let imp = buildImp(bidRequest, context);
return imp;
},
request(buildRequest, imps, bidderRequest, context) {
const reqData = buildRequest(imps, bidderRequest, context);
return reqData;
},
bidResponse(buildBidResponse, bid, context) {
const bidResponse = buildBidResponse(bid, context);
return bidResponse;
}
});

// Get Bid Floor
const _getRequestBidFloor = (mediaTypes, paramsBidFloor, bid) => {
const bidMediaType = Object.keys(mediaTypes)[0] || 'banner';
const bidFloor = { floor: 0, currency: 'USD' };

if (typeof bid.getFloor === 'function') {
const { currency, floor } = bid.getFloor({
mediaType: bidMediaType,
size: '*'
});
floor && (bidFloor.floor = floor);
currency && (bidFloor.currency = currency);
} else if (paramsBidFloor) {
bidFloor.floor = paramsBidFloor
}

return bidFloor;
}

// Get Parameters from the config.
const extractParameters = (config) => {
const version = config?.contxtful?.version;
if (!isStr(version) || isEmptyStr(version)) {
throw Error(`contxfulBidAdapter: contxtful.version should be a non-empty string`);
}

const customer = config?.contxtful?.customer;
if (!isStr(customer) || isEmptyStr(customer)) {
throw Error(`contxfulBidAdapter: contxtful.customer should be a non-empty string`);
}

return { version, customer };
}

// Construct the Payload towards the Bidding endpoint
const buildRequests = (validBidRequests = [], bidderRequest = {}) => {
const ortb2 = converter.toORTB({bidderRequest: bidderRequest, bidRequests: validBidRequests});

const bidRequests = [];
_each(validBidRequests, bidRequest => {
const {
mediaTypes = {},
params = {},
} = bidRequest;
bidRequest.bidFloor = _getRequestBidFloor(mediaTypes, params.bidfloor, bidRequest);
bidRequests.push(bidRequest)
});
const config = pbjsConfig.getConfig();
const {version, customer} = extractParameters(config)
const adapterUrl = buildUrl({
protocol: 'https',
host: BIDDER_ENDPOINT,
pathname: `/${version}/prebid/${customer}/bid`,
});

// https://docs.prebid.org/dev-docs/bidder-adaptor.html
let req = {
url: adapterUrl,
method: 'POST',
data: {
ortb2,
bidRequests,
bidderRequest,
config,
},
};

return req;
};

// Prepare a sync object compatible with getUserSyncs.
const constructUrl = (userSyncsDefault, userSyncServer) => {
const urlSyncServer = (userSyncServer?.url ?? '').split('?');
const userSyncUrl = userSyncsDefault?.url || '';
const baseSyncUrl = urlSyncServer[0] || '';

let url = `${baseSyncUrl}${userSyncUrl}`;

if (urlSyncServer.length > 1) {
const urlParams = urlSyncServer[1];
url += url.includes('?') ? `&${urlParams}` : `?${urlParams}`;
}

return {
...userSyncsDefault,
url,
};
};

// Returns the list of user synchronization objects.
const getUserSyncs = (syncOptions, serverResponses, gdprConsent, uspConsent, gppConsent) => {
// Get User Sync Defaults from pbjs lib
const userSyncsDefaultLib = getUserSyncsLib('')(syncOptions, null, gdprConsent, uspConsent, gppConsent);
const userSyncsDefault = userSyncsDefaultLib?.find(item => item.url !== undefined);

// Map Server Responses to User Syncs list
const serverSyncsData = serverResponses?.flatMap(response => response.body || [])
.map(data => data.syncs)
.find(syncs => Array.isArray(syncs) && syncs.length > 0) || [];
const userSyncs = serverSyncsData
.map(sync => constructUrl(userSyncsDefault, sync))
.filter(Boolean); // Filter out nulls
return userSyncs;
};

// Retrieve the sampling rate for events
const getSamplingRate = (bidderConfig, eventType) => {
const entry = Object.entries(bidderConfig?.contxtful?.sampling ?? {}).find(([key, value]) => key.toLowerCase() === eventType.toLowerCase());
return entry ? entry[1] : 0.001;
};

// Handles the logging of events
const logEvent = (eventType, data, options = {}) => {
const {
samplingEnabled = false,
} = options;

try {
// Log event
logInfo(BIDDER_CODE, `[${eventType}] ${JSON.stringify(data)}`);

// Get Config
const bidderConfig = pbjsConfig.getConfig();
const {version, customer} = extractParameters(bidderConfig);

// Sampled monitoring
if (samplingEnabled) {
const shouldSampleDice = Math.random();
const samplingRate = getSamplingRate(bidderConfig, eventType);
if (shouldSampleDice >= samplingRate) {
return; // Don't sample
}
}

const payload = { type: eventType, data };
const eventUrl = buildUrl({
protocol: 'https',
host: MONITORING_ENDPOINT,
pathname: `/${version}/prebid/${customer}/log/${eventType}`,
});

// Try sending the beacon
if (ajax.sendBeacon(eventUrl, JSON.stringify(payload))) {
logInfo(BIDDER_CODE, `[${eventType}] Beacon sent with payload: ${JSON.stringify(data)}`);
} else {
// Fallback to using ajax
ajax.ajax(eventUrl, null, JSON.stringify(payload), {
method: 'POST',
contentType: 'application/json',
withCredentials: true,
});
logInfo(BIDDER_CODE, `[${eventType}] Ajax sent with payload: ${JSON.stringify(data)}`);
}
} catch (error) {
logError(BIDDER_CODE, `Failed to log event: ${eventType}`);
}
};

// Bidder exposed specification
export const spec = {
code: BIDDER_CODE,
supportedMediaTypes: [BANNER, VIDEO, NATIVE],

isBidRequestValid,
buildRequests,
interpretResponse,
getUserSyncs,
onBidWon: function(bid, options) { logEvent('onBidWon', bid, { samplingEnabled: false, ...options }); },
onBidBillable: function(bid, options) { logEvent('onBidBillable', bid, { samplingEnabled: false, ...options }); },
onAdRenderSucceeded: function(bid, options) { logEvent('onAdRenderSucceeded', bid, { samplingEnabled: false, ...options }); },
onSetTargeting: function(bid, options) { },
onTimeout: function(timeoutData, options) { logEvent('onTimeout', timeoutData, { samplingEnabled: true, ...options }); },
onBidderError: function(args, options) { logEvent('onBidderError', args, { samplingEnabled: true, ...options }); },
};

registerBidder(spec);
98 changes: 98 additions & 0 deletions modules/contxtfulBidAdapter.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,98 @@
# Overview

```
Module Name: Contxtful Bidder Adapter
Module Type: Bidder Adapter
Maintainer: contact@contxtful.com
```

# Description

The Contxtful Bidder Adapter supports all mediatypes and connects to demand sources for bids.

# Configuration
## Global Configuration
Contxtful uses the global configuration to store params once instead of duplicating for each ad unit.
Also, enabling user syncing greatly increases match rates and monetization.
Be sure to call `pbjs.setConfig()` only once.

```javascript
pbjs.setConfig({
debug: false,
contxtful: {
customer: '<contxtful_provided_id>', // Required
version: '<contxtful_provided_version>', // Required
},
userSync: {
filterSettings: {
iframe: {
bidders: ['contxtful'],
filter: 'include'
}
}
}
// [...]
});
```

## Bidder Setting
Contxtful leverages local storage for user syncing.

```javascript
pbjs.bidderSettings = {
contxtful: {
storageAllowed: true
}
}
```

# Example Ad-units configuration
```javascript
var adUnits = [
{
code: 'adunit1',
mediaTypes: {
banner: {
sizes: [ [300, 250], [320, 50] ],
}
},
bids: [{
bidder: 'contxtful',
}]
},
{
code: 'addunit2',
mediaTypes: {
video: {
playerSize: [ [640, 480] ],
context: 'instream',
minduration: 5,
maxduration: 60,
}
},
bids: [{
bidder: 'contxtful',
}]
},
{
code: 'addunit3',
mediaTypes: {
native: {
title: {
required: true
},
body: {
required: true
},
icon: {
required: true,
size: [64, 64]
}
}
},
bids: [{
bidder: 'contxtful',
}]
}
];
```
Loading