HEX
Server: LiteSpeed
System: Linux cluster02.load-balancer.x2.network 4.18.0-553.51.1.lve.1.el8.x86_64 #1 SMP Wed May 14 14:34:57 UTC 2025 x86_64
User: kbdhpghp (1098)
PHP: 8.2.29
Disabled: NONE
Upload Files
File: /home/kbdhpghp/public_html/aqualander/wp-content/plugins/fluid-checkout/gulpfile.js
// Defining requirements
var fs = require('fs');
var gulp = require('gulp');
var plumber = require('gulp-plumber');
var sass = require('gulp-sass')(require('sass'));
var sassImportJson = require('gulp-sass-import-json');
var cssnano = require('gulp-cssnano');
var rename = require('gulp-rename');
var concat = require('gulp-concat');
var uglify = require('gulp-uglify');
var replace = require('gulp-replace');
var loadJsonFile = require('load-json-file');
var browserSync = require('browser-sync').create();
var autoprefixer = require('gulp-autoprefixer');
var sourcemaps = require('gulp-sourcemaps');
var del = require('del');
var exec = require('child_process').exec;
var wpPot = require('gulp-wp-pot');
var po2mo = require('gulp-po2mo');
var po2json = require('gulp-po2json');
var through2 = require('through2');



// Load package.json
var _package = loadJsonFile.sync( 'package.json' );

// Defining settings
var _gulpSettings = loadJsonFile.sync( 'gulp-settings.json' );
var _gulpSettingsLocal = {};
var _assetsVersion = '';
var _defaultAction = _gulpSettingsLocal.defaultAction || _gulpSettings.defaultAction || 'watch';
var _translationErrors = [];



// Try loading local gulpfile settings
try{ _gulpSettingsLocal = loadJsonFile.sync( 'gulp-settings.local.json' ); }
catch ( err ) {}



// Run:
// gulp update-ver
// Update the project version
gulp.task( 'update-ver', gulp.series( function( done ) {
	// Define assets version
	_assetsVersion = '-' + _package.version.replace( /\./gi, '' );

	gulp.src( _package.main )
	// See http://mdn.io/string.replace#Specifying_a_string_as_a_parameter
	.pipe(replace(/Version: (.)*/g, 'Version: ' + _package.version ))
	.pipe(gulp.dest('./'));

	done();
} ) );

// Run:
// gulp update-ver
// Update the project version for full releases, including the version and date in the changelog
gulp.task( 'update-ver-release', gulp.series( 'update-ver', function( done ) {
	// Define assets version
	_assetsVersion = '-' + _package.version.replace( /\./gi, '' );

	// Get current date
	var today = new Date();

	// Only update readme.txt for full release versions
	if ( _package.version.indexOf( 'beta' ) < 0 && _package.version.indexOf( 'dev' ) < 0 ) {
		gulp.src( _gulpSettings.changelogFile )
		// See http://mdn.io/string.replace#Specifying_a_string_as_a_parameter
		.pipe(replace(/Stable tag: (.)*/g, 'Stable tag: ' + _package.version ))
		.pipe(replace(/= Unreleased (.)*/g, '= ' + _package.version + ' - ' + today.toISOString().slice(0, 10) + ' =' ))
		.pipe(gulp.dest('./'));
	}

	done();
} ) );



// Run:
// gulp clean-css
// Delete existing generated css files
gulp.task( 'clean-css', function( done ) {
	del.sync( [ './css' ] );
	done();
} );



// Run:
// gulp clean-js
// Delete existing generated js files
gulp.task( 'clean-js', function( done ) {
	del.sync( [ './js' ] );
	done();
} );



// Process CSS for production environment.
function processCss( src, dest ) {
	return gulp.src( src )
		.pipe(plumber())
		// No source maps
		.pipe(sassImportJson({
			isScss: true
		}))
		.pipe(sass())
		.pipe(autoprefixer({ cascade: false }))
		.pipe(rename({suffix: _assetsVersion}))
		.pipe(gulp.dest( dest )) // save .css
		.pipe(cssnano( { zindex:false, discardComments: {removeAll: true}, discardUnused: {fontFace: false}, reduceIdents: {keyframes: false} } ) )
		.pipe(rename( { suffix: '.min' } ) )
		.pipe(sourcemaps.write('maps'))
		.pipe(gulp.dest( dest )); // save .min.css
}

// Process CSS for development environment.
function processCssDev( src, dest ) {
	return gulp.src( src )
		.pipe(plumber())
		.pipe(sourcemaps.init())
		.pipe(sassImportJson({ isScss: true }))
		.pipe(sass())
		.pipe(autoprefixer({ cascade: false }))
		.pipe(rename({ suffix: _assetsVersion }))
		.pipe(gulp.dest( dest )) // save .css
		.pipe(rename({ suffix: '.min' })) // Files are not minified on dev build but file name needs the .min suffix
		.pipe(sourcemaps.write('maps'))
		.pipe(gulp.dest( dest )) // save .min.css
		.pipe(browserSync.stream());
}



// Build all css for production
function buildCss( done ) {
	// Define functions for each css source
	var buildMainStyles = function() { if ( _gulpSettings.sassSources.main ) { return processCss( _gulpSettings.sassSources.main, './css/' ); } else { return Promise.resolve(); } };
	var buildAdminStyles = function() { if ( _gulpSettings.sassSources.admin ) { return processCss( _gulpSettings.sassSources.admin, './css/admin/' ); } else { return Promise.resolve(); } };
	var buildDesignTemplatesStyles = function() { if ( _gulpSettings.sassSources.designTemplates ) { return processCss( _gulpSettings.sassSources.designTemplates, './css/design-templates/' ); } else { return Promise.resolve(); } };
	var buildPluginCompatStyles = function() { if ( _gulpSettings.sassSources.pluginCompat ) { return processCss( _gulpSettings.sassSources.pluginCompat, './css/compat/plugins/' ); } else { return Promise.resolve(); } };
	var buildThemeCompatStyles = function() { if ( _gulpSettings.sassSources.themeCompat ) { return processCss( _gulpSettings.sassSources.themeCompat, './css/compat/themes/' ); } else { return Promise.resolve(); } };

	// Define tasks
	var tasks = [
		buildMainStyles,
		buildAdminStyles,
		buildDesignTemplatesStyles,
		buildPluginCompatStyles,
		buildThemeCompatStyles
	];

	// Run tasks in parallel
	return gulp.parallel( tasks )( done );
}

// Run:
// gulp build-css
// Builds css from scss for production environment and apply other changes.
gulp.task( 'build-css', gulp.series( 'update-ver', 'clean-css', buildCss ) );




// Build all CSS for development
function buildCssDev( done ) {
	// Define functions for each css source
	var buildMainStylesDev = function() { if ( _gulpSettings.sassSources.main ) { return processCssDev( _gulpSettings.sassSources.main, './css/' ); } else { return Promise.resolve(); } };
	var buildAdminStylesDev = function() { if ( _gulpSettings.sassSources.admin ) { return processCssDev( _gulpSettings.sassSources.admin, './css/admin/' ); } else { return Promise.resolve(); } };
	var buildDesignTemplatesStylesDev = function() { if ( _gulpSettings.sassSources.designTemplates ) { return processCssDev( _gulpSettings.sassSources.designTemplates, './css/design-templates/' ); } else { return Promise.resolve(); } };
	var buildPluginCompatStylesDev = function() { if ( _gulpSettings.sassSources.pluginCompat ) { return processCssDev( _gulpSettings.sassSources.pluginCompat, './css/compat/plugins/' ); } else { return Promise.resolve(); } };
	var buildThemeCompatStylesDev = function() { if ( _gulpSettings.sassSources.themeCompat ) { return processCssDev( _gulpSettings.sassSources.themeCompat, './css/compat/themes/' ); } else { return Promise.resolve(); } };

	// Define tasks
	var tasks = [
		buildMainStylesDev,
		buildAdminStylesDev,
		buildDesignTemplatesStylesDev,
		buildPluginCompatStylesDev,
		buildThemeCompatStylesDev
	];

	// Run tasks in parallel
	return gulp.parallel( tasks )( done );
}

// Run:
// gulp build-css-dev
// Builds css from scss for development environment and apply other changes.
gulp.task( 'build-css-dev', gulp.series( 'update-ver', 'clean-css', buildCssDev ) );




// Process JS for production environment.
function processJs( src, dest ) {
	return gulp.src( src )
		.pipe(sourcemaps.init())
		.pipe(rename({suffix: _assetsVersion}))
		.pipe(gulp.dest( dest )) // save .js
		.pipe(uglify())
		.pipe(rename({suffix: '.min'}))
		.pipe(gulp.dest( dest )); // save .min.js
}

// Build all JS for production
function buildJS( done ) {
	// Define functions for each js source
	var buildLibraries = function() { if ( _gulpSettings.jsSources.libraries ) { return processJs( _gulpSettings.jsSources.libraries, './js/lib/' ); } else { return Promise.resolve(); } };
	var buildPolyfills = function() { if ( _gulpSettings.jsSources.polyfills ) { return processJs( _gulpSettings.jsSources.polyfills, './js/lib/' ); } else { return Promise.resolve(); } };
	var buildBundles = function() { if ( _gulpSettings.jsSources.bundles ) { return processJs( _gulpSettings.jsSources.bundles, './js/' ); } else { return Promise.resolve(); } };
	var buildMain = function() { if ( _gulpSettings.jsSources.main ) { return processJs( _gulpSettings.jsSources.main, './js/' ); } else { return Promise.resolve(); } };
	var buildStandalone = function() { if ( _gulpSettings.jsSources.standalone ) { return processJs( _gulpSettings.jsSources.standalone, './js/' ); } else { return Promise.resolve(); } };
	var buildAdmin = function() { if ( _gulpSettings.jsSources.admin ) { return processJs( _gulpSettings.jsSources.admin, './js/admin/' ); } else { return Promise.resolve(); } };
	var buildPluginCompat = function() { if ( _gulpSettings.jsSources.pluginCompat ) { return processJs( _gulpSettings.jsSources.pluginCompat, './js/compat/plugins/' ); } else { return Promise.resolve(); } };
	var buildThemeCompat = function() { if ( _gulpSettings.jsSources.themeCompat ) { return processJs( _gulpSettings.jsSources.themeCompat, './js/compat/themes/' ); } else { return Promise.resolve(); } };

	// Define tasks
	var tasks = [
		buildLibraries,
		buildPolyfills,
		buildBundles,
		buildMain,
		buildStandalone,
		buildAdmin,
		buildPluginCompat,
		buildThemeCompat
	];

	// Run tasks in parallel
	return gulp.parallel( tasks )( done );
}

// Run:
// gulp build-js.
// Uglifies and concat all JS files into one
gulp.task( 'build-js', gulp.series( 'update-ver', 'clean-js', buildJS ) );



// Run:
// gulp npm-run-build
// Run the command `npm run build` to build the project assets for WordPress blocks.
gulp.task( 'npm-run-build', gulp.series( function( done ) {
	// Bail if the `blocks` folder does not exist
	if ( ! fs.existsSync( './blocks' ) ) { return done(); }

	exec('npm run build', function (err, stdout, stderr) {
		console.log( stdout );
		console.log( stderr );
		if ( err ) {
			// If an error occurred, make the Gulp task fail
			done( err );
		}
	});

	done();
} ) );



// Run:
// gulp build
// Build css and js assets
gulp.task( 'build', gulp.series( gulp.parallel( 'build-js', 'build-css', 'npm-run-build' ) ) );



// Run:
// gulp copy-plugin-files
// Copy the plugin files which are commited to the project into the export folder.
gulp.task( 'copy-plugin-files', gulp.series( function( done ) {
	// Load package.json
	_package = loadJsonFile.sync( 'package.json' );
	
	// Bail if destination path or plugin files does not exist
	if ( ! _gulpSettingsLocal.pluginZipPath || ! fs.existsSync( _gulpSettingsLocal.pluginZipPath ) ) {
		console.log( 'Skipping: Plugin zip export path not defined or folder does not exist.' );
		return done();
	}

	// Maybe delete existing destination folder
	var destinationFolder = _gulpSettingsLocal.pluginZipPath + '/' + _package.name;
	if ( fs.existsSync( destinationFolder ) ) {
		console.log( 'Deleting existing destination folder: ' + destinationFolder );
		del.sync( destinationFolder, { force: true } );
	}

	exec( 'rsync -av --exclude-from=.gitignore ../' + _package.name + ' ' + _gulpSettingsLocal.pluginZipPath, function ( err, stdout, stderr ) {
		console.log( stdout );
		console.log( stderr );
		if ( err ) {
			// If an error occurred, make the Gulp task fail
			done( err );
		}
	} );

	done();
} ) );

// Run:
// gulp pack-plugin-zip
// Pack the extracted plugin folder into a new installable zip file with the version number.
gulp.task( 'pack-plugin-zip', gulp.series( function( done ) {
	// Load package.json
	_package = loadJsonFile.sync( 'package.json' );

	// Determine plugin file based on the package name and version
	var destinationFile = _package.name + '-' + _package.version + '.zip';

	// Maybe delete existing destination file
	var destinationFileWithPath = _gulpSettingsLocal.pluginZipPath + '/' + destinationFile;
	if ( fs.existsSync( destinationFileWithPath ) ) {
		del.sync( destinationFileWithPath, { force: true } );
	}

	// Zip the plugin folder
	exec( 'cd ' + _gulpSettingsLocal.pluginZipPath + ' && zip -r ' + destinationFile + ' ' + _package.name, function ( err, stdout, stderr ) {
		console.log( stdout );
		console.log( stderr );
		if ( err ) {
			// If an error occurred, make the Gulp task fail
			done( err );
		}
	});

	done();
} ) );



// Function to translate text using Deepl
function translateWithDeepl( text, targetLang, callback ) {
	var deeplApiUrl = _gulpSettingsLocal.translationAPIs.find( function( api ) { return api.type === 'deepl'; } ).url;
	var deeplApiKey = _gulpSettingsLocal.translationAPIs.find( function( api ) { return api.type === 'deepl'; } ).key;

	import( 'node-fetch' ).then( function ( fetch ) {
		fetch.default( deeplApiUrl, {
			method: 'POST',
			headers: { 'Content-Type': 'application/x-www-form-urlencoded' },
			body: 'auth_key=' + deeplApiKey + '&text=' + encodeURIComponent( text ) + '&source_lang=EN' + '&target_lang=' + targetLang
		} )
		.then( function( response ) {
			// Handle API error
			if ( 200 !== response.status ) {
				throw new Error( response.status + ' ' + response.statusText );
			}

			return response.json();
		} )
		.then( function( data ) {
			// Handle API error
			if ( ! data.translations ) {
				throw new Error( data.message );
			}

			// Otherwise, pass translated text into callback
			callback( null, data.translations[ 0 ].text );
		} )
		.catch( function( error ) { callback( error ); } );
	} );
}
 
// Function to translate text using Google Translate
function translateWithGoogle( text, targetLang, callback ) {
	var googleApiUrl = _gulpSettingsLocal.translationAPIs.find( function( api ) { return api.type === 'googleTranslate'; } ).url;
	var googleApiKey = _gulpSettingsLocal.translationAPIs.find( function( api ) { return api.type === 'googleTranslate'; } ).key;

	import( 'node-fetch' ).then( function ( fetch ) {
		fetch.default( googleApiUrl + '?key=' + googleApiKey + '&q=' + encodeURIComponent( text ) + '&source=en' + '&target=' + targetLang )
		.then( function( response ) {
			// Handle API error
			if ( 200 !== response.status ) {
				throw new Error( response.status + ' ' + response.statusText );
			}

			return response.json();
		} )
		.then( function( data ) {
			// Handle API error
			if ( ! data.data || ! data.data.translations ) {
				throw new Error( data.message );
			}

			// Otherwise, pass translated text into callback
			callback( null, data.data.translations[ 0 ].translatedText );
		} )
		.catch( function( error ) { callback( error ); } );
	} );
}

// Function to translate PO file
function translatePoFile( poFilePath, potFilePath, targetLang, callback ) {
	// Maybe copy POT file to PO file if it does not exist
	if ( ! fs.existsSync( poFilePath ) ) {
		fs.copyFileSync( potFilePath, poFilePath );
	}

	// Get PO file contents
	var poContent = fs.readFileSync( poFilePath );

	// Get language settings
	var langSettings = _gulpSettings.languages[ targetLang ];

	// Load gettext-parser
	import( 'gettext-parser' ).then( function( gettextParser ) {
		// Get parsed PO content
		var po = gettextParser.po.parse( poContent );

		// Parse POT file
		var potContent = fs.readFileSync( potFilePath );
		var pot = gettextParser.po.parse( potContent );

		// Update plural format, if available
		if ( langSettings.pluralForms ) {
			// Update plural-forms header from language settings
			po.headers[ 'Plural-Forms' ] = langSettings.pluralForms;

			// Update PO file
			fs.writeFileSync( poFilePath, gettextParser.po.compile( po ), { flush: true } );
		}

		// Update PO file with POT content
		Object.keys( pot.translations ).forEach( function( context ) {
			if ( ! po.translations[ context ] ) {
				po.translations[ context ] = {};
			}

			Object.keys( pot.translations[ context ] ).forEach( function( msgid ) {
				if ( ! po.translations[ context ][ msgid ] ) {
					po.translations[ context ][ msgid ] = pot.translations[ context ][ msgid ];
				}
			} );
		} );

		// Delete obsolete translations
		Object.keys( po.translations ).forEach( function( context ) {
			Object.keys( po.translations[ context ] ).forEach( function( msgid ) {
				if ( ! pot.translations[ context ] || ! pot.translations[ context ][ msgid ] ) {
					delete po.translations[ context ][ msgid ];
				}
			} );
		} );

		// Initialize translations
		var translations = po.translations;
		var contextKeys = Object.keys( translations );
		var contextIndex = 0;

		// Translate next string
		function translateNextContext() {
			// Check whether all translations are done
			if ( contextIndex >= contextKeys.length ) {
				// Run callback
				return callback();
			}

			// Reset variables
			var context = contextKeys[ contextIndex ];
			var contextTranslations = translations[ context ];
			var msgidKeys = Object.keys( contextTranslations );
			var msgidIndex = 0;

			function translateNextMsgid() {
				// Check whether all strings are translated in the context
				if ( msgidIndex >= msgidKeys.length ) {
					contextIndex++;
					translateNextContext();
					return;
				}

				// Get string id
				var msgid = msgidKeys[ msgidIndex ];

				// Get plural forms
				var msgidPlural = Object.hasOwnProperty.call( contextTranslations[ msgid ], 'msgid_plural' ) ? contextTranslations[ msgid ].msgid_plural : null;
				var nPluralForms = msgidPlural ? po.headers[ 'Plural-Forms' ].match( /nplurals\s*=\s*(\d+)/ )[ 1 ] : 1;
				var msgstrIndex = 0;

				function translateNextMsgstr() {
					// Check whether all strings are translated in the context
					if ( msgstrIndex >= nPluralForms ) {
						msgidIndex++;
						translateNextMsgid();
						return;
					}

					// Get string
					var msgstr = contextTranslations[ msgid ].msgstr[ msgstrIndex ];
					var strToTranslate = msgstrIndex > 0 ? msgidPlural : msgid;

					// Maybe translate string
					if ( ! msgstr ) {
						// Translate with Deepl if supported, otherwise use Google Translate
						var useDeepl = langSettings.deepl !== null;
						var translateFunction = useDeepl ? translateWithDeepl : translateWithGoogle;
						var apiTargetLang = useDeepl ? langSettings.deepl : langSettings[ 'googleTranslate' ];

						translateFunction( strToTranslate, apiTargetLang, function( err, translatedText ) {
							// Handle error
							if ( err ) {
								console.error( `Error translating "${strToTranslate}" to ${apiTargetLang} with ${useDeepl ? 'Deepl' : 'Google Translate'}:`, err );

								// Mark language with error
								_translationErrors.push( { lang: apiTargetLang, error: err.message } );

								// Move to next translation
								msgstrIndex++;
								translateNextMsgstr();
							}
							else {
								// Update translation
								contextTranslations[ msgid ].msgstr[ msgstrIndex ] = translatedText;

								// Log translated text
								var indexString = msgstrIndex > 0 ? '(' + msgstrIndex + ')' : '';
								console.log( 'Translated: ' + targetLang + ' ' + indexString + ' ' + strToTranslate + ' -> ' + translatedText );

								// Update PO file
								fs.writeFileSync( poFilePath, gettextParser.po.compile( po ), { flush: true } );

								// // Move to next translation
								msgstrIndex++;
								translateNextMsgstr();
							}
						} );
					}
					else {
						// Skip if string is already translated
						msgstrIndex++;
						translateNextMsgstr();
					}
				}

				translateNextMsgstr();
			}

			translateNextMsgid();
		}

		translateNextContext();
	});
}

// Function to convert PO file to PHP
function poToPHP ( jsonFile, enc, cb ) {
	// Initialize variables
	var json = JSON.parse( jsonFile.contents.toString() );
	var phpContents = '';

	// Add PO header contents
	Object.keys( json[''] ).forEach( function ( key ) {
		var outputKey = key.replace( /\'/g, '\\\'' );
		var outputValue = json[ '' ][ key ].replace( /'/g, '\\\'' );
		phpContents += `'${outputKey}' => '${outputValue}',`;
	} );

	// Add PO string contents
	phpContents += `'messages' => [`;
	Object.keys( json ).forEach( function ( key ) {
		// Skip if key is empty, which contains the headers
		if ( '' == key ) { return; }

		var outputKey = key.replace( /\'/g, '\\\'' );

		// Add string values, including plural forms
		phpContents += `'${outputKey}' => '`;
		json[ key ].forEach( function( messageValue, index ) {
			// Skip first item, which is the original plural string
			if ( 0 === index ) { return; }

			// Initialize variable
			var outputValue = messageValue;

			// Use only first value if messageValue is an array
			// 
			// This happens when the language has plural forms = `nplurals=1; plural=0`,
			// which means that there is no distinction between singular and plural forms.
			// 
			// For unknown reasons at this point, the Json object in these cases returns an array
			// as the value of the key, with the first item being translation of the singular form,
			// and with the second item usually empty.
			if ( Array.isArray( messageValue ) ) {
				messageValue = messageValue[ 0 ];
			}

			// Add string value
			var outputValue = messageValue.replace( /'/g, '\\\'' );
			phpContents += outputValue;

			// Add separator
			if ( index < json[ key ].length - 1 ) {
				phpContents += `' . "\\0" . '`;
			}
		} );
		phpContents += `',`;
	} );
	phpContents += `]`;

	var fileContents = `<?php\nreturn [ ${phpContents} ];`;
	jsonFile.contents = Buffer.from( fileContents );
	this.push( jsonFile );
	cb();
}

// Run:
// gulp translate-po
// Translate PO files using Deepl and Google Translate
gulp.task( 'translate-po', function ( done ) {
	// Get languages
	var languagesList = Object.keys( _gulpSettings.languages );
	var index = 0;

	// Translate next language
	function translateNext() {
		if ( index >= languagesList.length ) {
			// Log errors
			_translationErrors.forEach( function ( error ) {
				console.error( `Error translating ${error.lang}:`, error.error );
			} );

			return done();
		}

		// Get language code and PO file path
		var languageCode = languagesList[ index ];
		var potFilePath = _gulpSettings.translationDest + '/' + _gulpSettings.textDomain + '.pot';
		var poFilePath = _gulpSettings.translationDest + '/' + _gulpSettings.textDomain + '-' + languageCode + '.po';

		// Translate PO file for the language
		translatePoFile( poFilePath, potFilePath, languageCode, function() {
			index++;
			translateNext();
		} );
	}

	translateNext();
} );

// Update the 'update-translations' task to include 'translate-po'
gulp.task( 'update-translations', gulp.series( 'translate-po', function ( done ) {
	var tasks = Object.keys( _gulpSettings.languages ).map( function( lang ) {
		return function ( done2 ) {
			gulp.src( _gulpSettings.translationDest + '/' + _gulpSettings.textDomain + '-' + lang + '.po' )
				.pipe( po2mo() )
				.pipe( gulp.dest( _gulpSettings.translationDest ) );

			gulp.src( _gulpSettings.translationDest + '/' + _gulpSettings.textDomain + '-' + lang + '.po' )
				.pipe( po2json() )
				.pipe( through2.obj( poToPHP ) )
				.pipe( rename( { extname: '.l10n.php' } ) )
				.pipe( gulp.dest( _gulpSettings.translationDest ) );

			done2();
		};
	} );

	return gulp.series( tasks )( done );
} ) );
	

// Run:
// gulp generate-pot
// Generate the POT translation file
gulp.task( 'generate-pot', function ( done ) {
	try {
		// Load package.json
		_package = loadJsonFile.sync( 'package.json' );

		return gulp.src( _gulpSettings.translationSources )
			.pipe( wpPot( {
				domain: _gulpSettings.textDomain,
				package: _package.name,
				bugReport: _package.bugs.url,
				lastTranslator: _package.author,
				team: _package.author
			} ) )
			.pipe( gulp.dest( _gulpSettings.translationDest + '/' + _gulpSettings.textDomain + '.pot' ) )
			.on( 'end', done )
			.on( 'error', function( err ) {
				console.error( 'Error in generate-pot task', err );
				done( err );
			} );
	}
	catch ( err ) {
		console.error( 'Error in generate-pot task', err );
		done( err );
	}
} );



// Run:
// gulp translations
// Generate POT file and update translations
gulp.task( 'translate', gulp.series( 'generate-pot', 'update-translations' ) );



// Run:
// gulp copy-updater
// Copy the theme/plugin updater class into the project
gulp.task( 'copy-updater', gulp.series( function( done ) {
	if ( _gulpSettings.copyUpdater ) {
		del.sync( _gulpSettings.copyUpdater.destination );
		
		gulp.src( _gulpSettings.copyUpdater.source )
		.pipe( gulp.dest( _gulpSettings.copyUpdater.destination ) );
	}

	done();
} ) );



// Run:
// gulp browser-sync
// Starts browser-sync task for starting the server.
gulp.task( 'browser-sync', gulp.series( function( done ) {
	if ( _gulpSettings.browserSyncWatch && _gulpSettingsLocal && _gulpSettingsLocal.browserSyncOptions ) {
		browserSync.init( _gulpSettings.browserSyncWatch, _gulpSettingsLocal.browserSyncOptions );
	}

	done();
} ) );

// Run:
// gulp browser-sync
// Starts browser-sync task for starting the server.
gulp.task( 'browser-sync-reload', function( done ) {
	browserSync.reload();
	done();
} );



// Run:
// gulp watch
// Starts watcher. Watcher runs appropriate tasks on file changes
gulp.task( 'watch', gulp.series( function( done ) {
	_gulpSettings.watch.forEach( function ( item ) {
		var watchPattern = item[ 0 ];
		var runTasks = item[ 1 ];
		gulp.watch( watchPattern, gulp.series( runTasks ) );
	} );

	done();
} ) );



// Run:
// gulp watch-reload
// Starts watcher with browser-sync. Browser-sync reloads page automatically on your browser
gulp.task( 'watch-reload', gulp.series( gulp.parallel( 'build-js', 'build-css-dev' ), gulp.series( 'watch', 'browser-sync' ) ) );



// Run:
// gulp
// Defines gulp default task
gulp.task( 'default', gulp.series( _defaultAction ) );