Skip to content

Commit

Permalink
clean.io RTD Provider (#7449)
Browse files Browse the repository at this point in the history
  • Loading branch information
nick-clean authored Oct 26, 2021
1 parent d4a5739 commit 7e4a7d6
Show file tree
Hide file tree
Showing 3 changed files with 439 additions and 0 deletions.
192 changes: 192 additions & 0 deletions modules/cleanioRtdProvider.js
Original file line number Diff line number Diff line change
@@ -0,0 +1,192 @@
/**
* This module adds clean.io provider to the real time data module
* The {@link module:modules/realTimeData} module is required
* The module will wrap bid responses markup in clean.io agent script for protection
* @module modules/cleanioRtdProvider
* @requires module:modules/realTimeData
*/

import { submodule } from '../src/hook.js';
import { logError, generateUUID, insertElement } from '../src/utils.js';

// ============================ MODULE STATE ===============================

/**
* @type {function(): void}
* Page-wide initialization step / strategy
*/
let onModuleInit = () => {};

/**
* @type {function(Object): void}
* Bid response mutation step / strategy.
*/
let onBidResponse = () => {};

/**
* @type {number}
* 0 for unknown, 1 for preloaded, -1 for error.
*/
let preloadStatus = 0;

// ============================ MODULE LOGIC ===============================

/**
* Page initialization step which just preloads the script, to be available whenever we start processing the bids.
* @param {string} scriptURL The script URL to preload
*/
function pageInitStepPreloadScript(scriptURL) {
const linkElement = document.createElement('link');
linkElement.rel = 'preload';
linkElement.as = 'script';
linkElement.href = scriptURL;
linkElement.onload = () => { preloadStatus = 1; };
linkElement.onerror = () => { preloadStatus = -1; };
insertElement(linkElement);
}

/**
* Page initialization step which adds the protector script to the whole page. With that, there is no need wrapping bids, and the coverage is better.
* @param {string} scriptURL The script URL to add to the page for protection
*/
function pageInitStepProtectPage(scriptURL) {
const scriptElement = document.createElement('script');
scriptElement.type = 'text/javascript';
scriptElement.src = scriptURL;
insertElement(scriptElement);
}

/**
* Bid processing step which alters the ad HTML to contain bid-specific information, which can be used to identify the creative later.
* @param {Object} bidResponse Bid response data
*/
function bidWrapStepAugmentHtml(bidResponse) {
bidResponse.ad = `<!-- pbad://creativeId=${bidResponse.creativeId || ''}&bidderCode=${bidResponse.bidderCode || ''}&cpm=${bidResponse.cpm || ''} -->\n${bidResponse.ad}`;
}

/**
* Bid processing step which applies creative protection by wrapping the ad HTML.
* @param {string} scriptURL
* @param {number} requiredPreload
* @param {Object} bidResponse
*/
function bidWrapStepProtectByWrapping(scriptURL, requiredPreload, bidResponse) {
// Still prepend bid info, it's always helpful to have creative data in its payload
bidWrapStepAugmentHtml(bidResponse);

// If preloading failed, or if configuration requires us to finish preloading -
// we should not process this bid any further
if (preloadStatus < requiredPreload) {
return;
}

const sid = generateUUID();
bidResponse.ad = `
<script type="text/javascript"
src="${scriptURL}"
data-api-integration-mode="prebid"
data-api-session-uuid="${sid}">
</script>
<script type="text/javascript">
var ad = "${encodeURIComponent(bidResponse.ad)}";
var agent = window["${sid}"];
if (agent && typeof agent.put === "function") {
agent.put(ad);
}
else {
document.open();
document.write(decodeURIComponent(ad));
document.close();
}
</script>
`;
}

/**
* Custom error class to differentiate validation errors
*/
class ConfigError extends Error { }

/**
* The function to be called upon module init. Depending on the passed config, initializes properly init/bid steps or throws ConfigError.
* @param {Object} config
*/
function readConfig(config) {
if (!config.params) {
throw new ConfigError('Missing config parameters for clean.io RTD module provider.');
}

if (typeof config.params.cdnUrl !== 'string' || !/^https?:\/\//.test(config.params.cdnUrl)) {
throw new ConfigError('Parameter "cdnUrl" is a required string parameter, which should start with "http(s)://".');
}

if (typeof config.params.protectionMode !== 'string') {
throw new ConfigError('Parameter "protectionMode" is a required string parameter.');
}

const scriptURL = config.params.cdnUrl;

switch (config.params.protectionMode) {
case 'full':
onModuleInit = () => pageInitStepProtectPage(scriptURL);
onBidResponse = (bidResponse) => bidWrapStepAugmentHtml(bidResponse);
break;

case 'bids':
onModuleInit = () => pageInitStepPreloadScript(scriptURL);
onBidResponse = (bidResponse) => bidWrapStepProtectByWrapping(scriptURL, 0, bidResponse);
break;

case 'bids-nowait':
onModuleInit = () => pageInitStepPreloadScript(scriptURL);
onBidResponse = (bidResponse) => bidWrapStepProtectByWrapping(scriptURL, 1, bidResponse);
break;

default:
throw new ConfigError('Parameter "protectionMode" must be one of "full" | "bids" | "bids-nowait".');
}
}

// ============================ MODULE REGISTRATION ===============================

/**
* The function which performs submodule registration.
*/
function beforeInit() {
submodule('realTimeData', /** @type {RtdSubmodule} */ ({
name: 'clean.io',

init: (config, userConsent) => {
try {
readConfig(config);
onModuleInit();
return true;
} catch (err) {
if (err instanceof ConfigError) {
logError(err.message);
}
return false;
}
},

onBidResponseEvent: (bidResponse, config, userConsent) => {
onBidResponse(bidResponse);
}
}));
}

/**
* Exporting local (and otherwise encapsulated to this module) functions
* for testing purposes
*/
export const __TEST__ = {
pageInitStepPreloadScript,
pageInitStepProtectPage,
bidWrapStepAugmentHtml,
bidWrapStepProtectByWrapping,
ConfigError,
readConfig,
beforeInit,
}

beforeInit();
59 changes: 59 additions & 0 deletions modules/cleanioRtdProvider.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,59 @@
# Overview

```
Module Name: clean.io Rtd provider
Module Type: Rtd Provider
Maintainer: nick@clean.io
```

The clean.io Realtime module provides effective anti-malvertising solution for publishers, including, but not limited to,
blocking unwanted 0- and 1-click redirects, deceptive ads or those with malicious landing pages, and various types of affiliate fraud.

Using this module requires prior agreement with [clean.io](https://clean.io) to obtain the necessary distribution key.


# Integration

clean.io Realtime module can be built just like any other prebid module:

```
gulp build --modules=cleanioRtdProvider,...
```


# Configuration

When built into prebid.js, this module can be configured through the following `pbjs.setConfig` call:

```javascript
pbjs.setConfig({
realTimeData: {
dataProviders: [{
name: 'clean.io',
params: {
cdnUrl: 'https://abc1234567890.cloudfront.net/script.js', ///< Contact clean.io to get your own CDN URL
protectionMode: 'full', ///< Supported modes are 'full', 'bids' and 'bids-nowait', see below.
}
}]
}
});
```


## Configuration parameters

{: .table .table-bordered .table-striped }
| Name | Type | Scope | Description |
| :------------ | :------------ | :------------ |:------------ |
| ``cdnUrl`` | ``string`` | Required | CDN URL of the script, which is to be used for protection. |
| ``protectionMode`` | ``'full' \| 'bids' \| 'bids-nowait'`` | Required | Integration mode. Please refer to the "Integration modes" section for details. |


## Integration modes

{: .table .table-bordered .table-striped }
| Integration Mode | Parameter Value | Description |
| :------------ | :------------ | :------------ |
| Full page protection | ``'full'`` | Preferred mode. The module will add the protector agent script directly to the page, and it will protect all placements. This mode will make the most out of various behavioral detection mechanisms, and will also prevent typical malicious behaviors. Please note that in this mode, depending on Prebid library naming, Chrome may mistakenly tag non-ad-related content as ads: https://chromium.googlesource.com/chromium/src/+/refs/heads/main/docs/ad_tagging.md. |
| Bids-only protection | ``'bids'`` | The module will protect specific bid responses, more specifically, the HTML representing ad payload, by wrapping it into the agent script. Please note that in this mode, ads delivered directly, outside of Prebid integration, will not be protected, since the module can only access the ads coming through Prebid. |
| Bids-only protection with no delay on bid rendering | ``'bids-nowait'`` | Same as above, but in this mode, the script will also *not* wrap those bid responses, which arrived prior to successful preloading of agent script. |
Loading

0 comments on commit 7e4a7d6

Please sign in to comment.