Generate HTML file from Gravity Form Submission - php

How do I generate an html file (with specific styling) from a Gravity Form submission using PHP? Right now, I'm using Gravity Form with Gravity PDF to generate PDFs, but I also need these pdfs to be generated as html files. I was told that I could use a gf hook called gform_notification. Here is what I have so far:
add_filter( 'gform_notification_30', 'add_attachment_html', 10, 3 ); //target form id 2, change to your form id
function write_html($filename, $entry){
$filename = fopen( 'file_'.'rand(0, 999999)'.'.html', "w");
$text = $entry;
$path = '/public_html/wp-content/uploads/HTML/';
fwrite($path.$filename, $text);
fclose($filename); }
function add_attachment_html( $notification, $form, $entry ) {
//There is no concept of user notifications anymore, so we will need to target notifications based on other criteria,
//such as name or subject
if( $notification['name'] == 'HTML' ) {
//get upload root for WordPress
$upload = wp_upload_dir();
$upload_path = $upload['basedir'];
//add file, use full path , example -- $attachment = "C:\\xampp\\htdocs\\wpdev\\wp-content\\uploads\\test.txt"
$attachment = $upload_path . $filename;
GFCommon::log_debug( __METHOD__ . '(): file to be attached: ' . $attachment );
if ( file_exists( $attachment ) ) {
$notification['attachments'] = rgar( $notification, 'attachments', array() );
$notification['attachments'][] = $attachment;
GFCommon::log_debug( __METHOD__ . '(): file added to attachments list: ' . print_r( $notification['attachments'], 1 ) );
} else {
GFCommon::log_debug( __METHOD__ . '(): not attaching; file does not exist.' );
}
}
//return altered notification object
return $notification;
}
I'm brand new to coding so please bear with me. My biggest issue is generating the new HTML file. I think I can figure out how to attach it to the notification email (function add_attachment_html) once I get that part done.

Related

WordPress convert image to WebP format programmatically with GD image engine

There are many PHP solutions and WP plugins, they all come with additional options that I don't want/need, i.e. how the converted files are served, where they are stored, etc.
I need none of all that and am after pure simple code using GD. I don't want to use a plugin, thank you.
When should the encode happen ? At any time you know it is a good point in the hook routine, could be this https://make.wordpress.org/core/2019/11/05/use-of-the-wp_update_attachment_metadata-filter-as-upload-is-complete-hook/ but if you know better or have another solution then use that and possibly let me know why you choose another hook. I would i.e. also be happy with firing a cron job once new images are uploaded if that is better. Also I don't need to have metadata of the converted images in the WP db, fine with having the original .jpeg files and their metadata in the Media Library, the .webp files are just there to be used inside the picture element.
Where should the converted files be stored? wp-content/uploads/ default folder structure, .webp files should be next to .jpeg files all in there.
GD image engine should be used for the conversion. https://developer.wordpress.org/reference/classes/wp_image_editor_gd/ Lately I find imagick just crashes or takes ages to do anything. In WP 5.2 things still worked just fine with imagick but there must have been changes introduced that make using imagick in later versions of WP useless. I find GD to me quite stable and fast, it does not matter it creates lossy WebP versions. The methods for the GD image engine from WP do not seem to include conversion/encoding https://developer.wordpress.org/reference/classes/wp_image_editor_gd/#methods so I am also happy with any methods using in the GD module https://www.php.net/manual/en/book.image.php concerning encoding to WebP.
To get rid of all the extra unneeded image sizes and options WP introduced over time I have these functions/filters in functions.php.
function namespace_disable_image_sizes($sizes)
{
unset($sizes['thumbnail']); // disable thumbnail size
unset($sizes['medium']); // disable medium size
unset($sizes['large']); // disable large size
unset($sizes['medium_large']); // disable medium-large size
unset($sizes['1536x1536']); // disable 2x medium-large size
unset($sizes['2048x2048']); // disable 2x large size
return $sizes;
}
add_action('intermediate_image_sizes_advanced', 'namespace_disable_image_sizes');
// disable scaled image size
add_filter('big_image_size_threshold', '__return_false');
// disable rotated image size
add_filter('wp_image_maybe_exif_rotate', '__return_false');
// disable other image sizes
function namespace_disable_other_image_sizes()
{
remove_image_size('post-thumbnail'); // disable images added via set_post_thumbnail_size()
remove_image_size('another-size'); // disable any other added image sizes
}
add_action('init', 'namespace_disable_other_image_sizes');
High resolution and large dimension images are to be converted, see attached image as example, image types can be jpeg, png, etc.
The sizes in place are more or less these with possible variations.
add_image_size('4096w', 4096, 0);
add_image_size('3200w', 3200, 0);
add_image_size('2560w', 2560, 0);
add_image_size('1920w', 1920, 0);
add_image_size('1600w', 1600, 0);
add_image_size('1280w', 1280, 0);
add_image_size('1140w', 1140, 0);
add_image_size('1024w', 1024, 0);
add_image_size('960w', 960, 0);
add_image_size('800w', 800, 0);
add_image_size('768w', 768, 0);
add_image_size('640w', 640, 0);
add_image_size('425w', 425, 0);
add_image_size('320w', 320, 0);
add_image_size('240w', 240, 0);
I use the picture element with more or less the following setup, so I have the browser decide what is needed and hence don't want/need server side .htaccess rules or backend configs. https://dev.opera.com/articles/responsive-images/
<picture>
<source
sizes="(min-width: 640px) 60vw, 100vw"
srcset="opera-200.webp 200w,
opera-400.webp 400w,
opera-800.webp 800w,
opera-1200.webp 1200w,
opera-1600.webp 1600w,
opera-2000.webp 2000w"
type="image/webp">
<img
src="opera-400.jpg" alt="The Oslo Opera House"
sizes="(min-width: 640px) 60vw, 100vw"
srcset="opera-200.jpg 200w,
opera-400.jpg 400w,
opera-800.jpg 800w,
opera-1200.jpg 1200w,
opera-1600.jpg 1600w,
opera-2000.jpg 2000w">
</picture>
What have I tried?
a) https://wordpress.stackexchange.com/questions/256351/hook-after-image-is-uploaded-and-image-sizes-generated/256352
b) https://wordpress.stackexchange.com/questions/38582/hook-to-get-image-filename-when-it-is-uploaded
c) WordPress - Blur Image on Upload
d) Convert Images into WebP
e) I have read through and understood https://kinsta.com/blog/wordpress-hooks/#filters-example-2-insert-content-after-a-post - however what I am missing is a way to see/know what data I am working with, i.e.
add_filter('wp_generate_attachment_metadata', 'gd_webp_encode', 10, 3);
function gd_webp_encode($metadata, $attachment_id, $context){
ob_start();
echo $attachment_id;
echo $metadata;
ob_end_clean();
return $metadata;
}
will show me nothing, same with trying to log to console or to a file in the plugin folder. Without knowing/seeing the data and what variable names hold what data I am just doing trial and error and guessing, no coding. So given above code, how would it first of all be possible to see/know what variables hold what data at that point in time and make that readable somewhere, i.e. in a log file in the plugin folder?
Bottom line, given above setup, help me understand what variables hold what data i.e. after upload in a hook and include code where I can make a WebP version of all the sizes and the original created using the GD image engine.
Both plugins work well (create webp images in uploads directory), but I am wondering how to call the webp images with wp functions (get_the_post_thumbnail_url or wp_get_attachment_url).
In media, you cannot see webp images, so you cannot select them.
To know what data you work with inside a filter or action and to see what variable names hold what values a helper function like below can be used.
function debug( $info ) {
$message = null;
if ( is_string( $info ) || is_int( $info ) || is_float( $info ) ) {
$message = $info;
} else {
$message = var_export( $info, true );
}
if ( $fh = fopen( ABSPATH . '/gdwebpconvert.log', 'a' ) ) {
fputs( $fh, date( 'Y-m-d H:i:s' ) . " $message\n" );
fclose( $fh );
}
}
This will create a gdwebpconvert.log file in the root directory of your WordPress installation and any string, integer, float or array you put into debug($value_xyz); will be logged to that file with a date and time. On Linux you can then just go to the directory that holds the file and do tail -f gdwebpconvert.log and the latest entry to that file will be shown in the terminal.
As an alternative you can use WordPress's own debugging feature by adding these lines to wp-config.php.
define('WP_DEBUG', true);
define('WP_DEBUG_LOG', true);
define('WP_DEBUG_DISPLAY', true);
This will lead to info being output to the debug.log file, also in the root directory of your WordPress installation, though it will also add tons more data in there all the time. So I prefer the above little helper function to get just the value I currently want to see without having to search the debug.log file for what I am looking for.
As for the conversion, as soon as I could see what data I am working with I wrote a class that converts the uploaded image and all its created sizes after the upload is done to the WebP format. Go ahead an uncomment the debug() statements to follow along. Given this https://github.com/Imagick/imagick/issues/358 and the issues I described with Imagick since WordPress 5.2 this presents a simple solution to just create WebP versions of your files on the server that you can then use in any way you like without automatic .htaccess or other features added.
Feel free to do with this what you want and need. ;)
<?php
/**
* Plugin Name: GD WebP Converter
* Plugin URI: https://stackoverflow.com/a/67234000
* Description: After uploading an image it will be converted to WebP format using the GD image engine. <a target="_blank" href="https://developer.wordpress.org/reference/classes/wp_image_editor_gd/">WP GD Image Engine</a> If the file is deleted form the Media Library the created WebP conversions will also be deleted.
* Version: 1.0.0
* Requires at least: 5.5
* Requires PHP: 7.2
* Author: lowtechsun
* Author URI: https://stackoverflow.com/users/1010918/lowtechsun
* License: GPL v2 or later
* License URI: https://www.gnu.org/licenses/gpl-2.0.html
*/
//=================================================
// Security: Abort if this file is called directly
//=================================================
if ( ! defined( 'ABSPATH' ) ) {
die;
}
function debug( $info ) {
$message = null;
if ( is_string( $info ) || is_int( $info ) || is_float( $info ) ) {
$message = $info;
} else {
$message = var_export( $info, true );
}
if ( $fh = fopen( ABSPATH . '/gdwebpconvert.log', 'a' ) ) {
fputs( $fh, date( 'Y-m-d H:i:s' ) . " $message\n" );
fclose( $fh );
}
}
add_filter( 'wp_generate_attachment_metadata', 'gd_webp_converter', 10, 2 );
function gd_webp_converter( $metadata, $attachment_id ) {
$gd_webp_converter = new GDWebPConverter( $attachment_id );
$gd_webp_converter->check_file_exists( $attachment_id );
$gd_webp_converter->check_mime_type();
$gd_webp_converter->create_array_of_sizes_to_be_converted( $metadata );
$gd_webp_converter->convert_array_of_sizes();
return $metadata;
}
class GDWebPConverter {
private $file_path;
private $file_dirname;
private $file_ext;
private $file_name_no_ext;
private $array_of_sizes_to_be_converted = array();
private $array_of_sizes_to_be_deleted = array();
public function __construct( $attachment_id ) {
$this->file_path = get_attached_file( $attachment_id );
debug( $this->file_path );
// https://stackoverflow.com/questions/2183486/php-get-file-name-without-file-extension/19040276
$this->file_dirname = pathinfo( $this->file_path, PATHINFO_DIRNAME );
debug( $this->file_dirname );
$this->file_ext = strtolower( pathinfo( $this->file_path, PATHINFO_EXTENSION ) );
debug( $this->file_ext );
$this->file_name_no_ext = pathinfo( $this->file_path, PATHINFO_FILENAME );
debug( $this->file_name_no_ext );
}
public function check_file_exists( $attachment_id ) {
$file = get_attached_file( $attachment_id );
if ( ! file_exists( $file ) ) {
$message = 'The uploaded file does not exist on the server. Encoding not possible.';
debug( $message );
throw new Exception( 'The uploaded file does exist on the server. Encoding not possible.', 1 );
}
}
public function check_mime_type() {
// https://www.php.net/manual/en/function.finfo-file.php
$finfo = finfo_open( FILEINFO_MIME_TYPE );
$this->file_mime_type = finfo_file( $finfo, $this->file_path );
finfo_close( $finfo );
// debug( $this->file_mime_type );
// https://developer.mozilla.org/en-US/docs/Web/HTTP/Basics_of_HTTP/MIME_types/Common_types
$this->allowed_mime_type = array( 'image/jpeg', 'image/png' );
if ( ! in_array( $this->file_mime_type, $this->allowed_mime_type, true ) ) {
$message = 'MIME type of file not supported';
// debug( $message );
throw new Exception( 'MIME type of file not supported', 1 );
}
}
public function create_array_of_sizes_to_be_converted( $metadata ) {
// push original file to the array
array_push( $this->array_of_sizes_to_be_converted, $this->file_path );
// debug( $this->array_of_sizes_to_be_converted );
// push all created sizes of the file to the array
foreach ( $metadata['sizes'] as $value ) {
// debug( $value['file'] );
array_push( $this->array_of_sizes_to_be_converted, $this->file_dirname . '/' . $value['file'] );
}
// // debug( $this->array_of_sizes_to_be_converted );
}
public function convert_array_of_sizes() {
debug( $this->array_of_sizes_to_be_converted );
switch ( $this->file_ext ) {
case 'jpeg':
case 'jpg':
foreach ( $this->array_of_sizes_to_be_converted as $key => $value ) {
$image = imagecreatefromjpeg( $value );
if ( 0 === $key ) {
imagewebp( $image, $this->file_dirname . '/' . $this->file_name_no_ext . '.webp', 80 );
} else {
$current_size = getimagesize( $value );
// debug( $current_size );
imagewebp( $image, $this->file_dirname . '/' . $this->file_name_no_ext . '-' . $current_size[0] . 'x' . $current_size[1] . '.webp', 80 );
}
imagedestroy( $image );
}
break;
case 'png':
foreach ( $this->array_of_sizes_to_be_converted as $key => $value ) {
$image = imagecreatefrompng( $value );
imagepalettetotruecolor( $image );
imagealphablending( $image, true );
imagesavealpha( $image, true );
if ( 0 === $key ) {
imagewebp( $image, $this->file_dirname . '/' . $this->file_name_no_ext . '.webp', 80 );
} else {
$current_size = getimagesize( $value );
// debug( $current_size );
imagewebp( $image, $this->file_dirname . '/' . $this->file_name_no_ext . '-' . $current_size[0] . 'x' . $current_size[1] . '.webp', 80 );
}
imagedestroy( $image );
}
break;
// animated GIF to WebP not supported by GD - imagecreatefromgif
// case 'gif':
// foreach ( $this->array_of_sizes_to_be_converted as $key => $value ) {
// $image = imagecreatefromgif( $value );
// if ( 0 === $key ) {
// imagewebp( $image, $this->file_dirname . '/' . $this->file_name_no_ext . '.webp', 80 );
// } else {
// $current_size = getimagesize( $value );
// // debug( $current_size );
// imagewebp( $image, $this->file_dirname . '/' . $this->file_name_no_ext . '-' . $current_size[0] . 'x' . $current_size[1] . '.webp', 80 );
// }
// imagedestroy( $image );
// }
// break;
default:
return false;
}
}
public function create_array_of_sizes_to_be_deleted( $attachment_id ) {
// debug( $attachment_id );
$this->attachment_metadata_of_file_to_be_deleted = wp_get_attachment_metadata( $attachment_id );
// debug( $this->attachment_metadata_of_file_to_be_deleted );
// push original file to the array
array_push( $this->array_of_sizes_to_be_deleted, $this->file_dirname . '/' . $this->file_name_no_ext . '.webp' );
// debug( $this->array_of_sizes_to_be_converted );
// push all created sizes of the file to the array
foreach ( $this->attachment_metadata_of_file_to_be_deleted['sizes'] as $value ) {
// debug( $value );
$this->value_file_name_no_ext = pathinfo( $value['file'], PATHINFO_FILENAME );
// debug( $this->value_file_name_no_ext );
array_push( $this->array_of_sizes_to_be_deleted, $this->file_dirname . '/' . $this->value_file_name_no_ext . '.webp' );
}
// debug( $this->array_of_sizes_to_be_deleted );
}
public function delete_array_of_sizes() {
debug( $this->array_of_sizes_to_be_deleted );
foreach ( $this->array_of_sizes_to_be_deleted as $key => $value ) {
// debug( $value );
unlink( $value );
}
}
}
add_action( 'delete_attachment', 'delete_webp_conversions', 10 );
function delete_webp_conversions( $attachment_id ) {
$delete_webp_conversions = new GDWebPConverter( $attachment_id );
$delete_webp_conversions->create_array_of_sizes_to_be_deleted( $attachment_id );
$delete_webp_conversions->delete_array_of_sizes();
}
In the end I also added a method that, once you opt to delete a file by clicking `Delete Permanently" in the Media Library it will delete all the created WebP versions of the file. If you delete a post this will not happen as per default behavior of WordPress as you never know if you might need the file in another post.
Make sure that you default to the GD image editor if you want to make good use of this class. => https://support.pagely.com/hc/en-us/articles/115000052451
<?php
/**
* Plugin Name: Use GD For Image Processing
* Plugin URI: https://support.pagely.com/hc/en-us/articles/115000052451
* Description: Sets GD to the default image processor.
* Version: 1.0.0
* Requires at least: 5.5
* Requires PHP: 7.2
* Author: JeffMatson, Pagely
* Author URI: https://pagely.com
* License: GPL v2 or later
* License URI: https://www.gnu.org/licenses/gpl-2.0.html
*/
add_filter( 'wp_image_editors', 'pagely_default_to_gd' );
function pagely_default_to_gd() {
return array( 'WP_Image_Editor_GD', 'WP_Image_Editor_Imagick' );
}
Thx, Jan!

Add attachments based on user role to WooCommerce new user registration email

I want to add two pdf files to the new user registration e-mail of WooCommerce.
Because I have two specific user roles customer and seller.
I want to send all new sellers two pdf files from paths $path1 and $path3 and all new customers two pdf files from paths $path2 and $path3.
I tried this in my functions.php
function attach_to_email ( $attachments, $userrole ) {
$root = ABSPATH;
$path1 = $root . '/media/AGB H.pdf';
$path2 = $root . '/media/AGB K.pdf';
$path3 = $root . '/media/W.pdf';
if ( $userrole === 'seller' ) {
$attachments[] = $path1;
$attachments[] = $path3;
} else {
$attachments[] = $path2;
$attachments[] = $path3;
}
return $attachments;
}
add_filter( 'woocommerce_email_attachments', 'attach_to_email', 10, 2 );
In the e-mail template for sellers I call:
do_action( 'woocommerce_email_attachments', null, 'seller' );
But in the function, I always enter the else part and not the if-part. In addition, all e-mails are attached with the else-files now, not only the registration e-mails. Any ideas?
To only assign the attachments to the registration e-mail, you can use:
The $email_id, where this is equal to customer_new_account
For the attachement path, linked to the theme, you can use:
get_stylesheet_directory() for a child theme
get_template_directory() for a parent theme
I would also recommend not to use spacing in the file name of the pdf file
You can then assign the correct attachments based on the user role
So you get:
function filter_woocommerce_email_attachments( $attachments, $email_id, $object, $email_object = null ) {
// Use get_stylesheet_directory() for a child theme
// Use get_template_directory() for a parent theme
$path_1 = get_template_directory() . '/my-file-1.pdf';
$path_2 = get_template_directory() . '/my-file-2.pdf';
$path_3 = get_template_directory() . '/my-file-3.pdf';
// Customer new account email
if ( isset( $email_id ) && $email_id === 'customer_new_account' ) {
// Get user role(s)
$roles = (array) $object->roles;
// Seller
if ( in_array( 'seller', $roles ) ) {
$attachments[] = $path_1;
$attachments[] = $path_3;
// Customer
} elseif ( in_array( 'customer', $roles ) ) {
$attachments[] = $path_2;
$attachments[] = $path_3;
}
}
return $attachments;
}
add_filter( 'woocommerce_email_attachments', 'filter_woocommerce_email_attachments', 10, 4 );
Code goes in functions.php file of your active theme. Tested in WooCommerce 5.0.0

How to Move file in wordpress on plugin activation

I want to move file in wordpress on plugin activation . i have written a code for this but it is not working .
function onactivation_install(){
$src = ABSPATH . 'wp-content/plugins/sinetiks-schools/plugin_list.php';
$dest = get_template_directory();
$full_path = $dest.'/';
$flag = wp_handle_upload($src,$full_path);
var_dump($flag); }
register_activation_hook( __FILE__,'onactivation_install' );
pass this parameter
$flag = wp_handle_upload($src,array( 'test_form' => false ));

How to delete remain data in WP database after deleting custom post via admin interface

I'm trying to create a plugin that will delete pictures and additional info from database on deleting custom post (sp_venue) via admin panel (wp-admin/edit-tags.php)
In the plugin I'm using this to catch the event:
add_action( 'delete_post', 'kg_delete_post' );
function kg_delete_post($postId) {
$post = get_post($postId);
if ($post->post_type != 'attachment') {
return false;
}
$url = str_replace($dirs['baseurl'],'',$post->guid);
$urlParts = explode("/",$url);
$numberOfParts = sizeof($urlParts) - 1;
$dirs = wp_upload_dir();
$fileNameParts = explode(".", $urlParts[$numberOfParts]);
$fileName = str_replace('.' . end($fileNameParts), '', $urlParts[$numberOfParts]) . "-*." . end($fileNameParts);
$path =$dirs['basedir'] ."/". $urlParts[$numberOfParts-2] . "/" . $urlParts[$numberOfParts-1] . "/";
$fullPath = $path . $urlParts[$numberOfParts];
$fullPathSearch = $path . $fileName;
#unlink($fullPath);
foreach (glob($fullPathSearch) as $filename) {
#unlink($path . $filename);
}
}
It works with:
wp_delete_post($Id, true)
But looks like the event on deleting via admin panel is no the same.
What should i use to make it works?
Thank you.
Solved by adding my js on in admin panel to customize the click on delete button.

PHP class ImapMailbox not downloading attachments

Running Apache 2.2 with PHP 5.3 on Windows 8. Trying to get the PHP class ImapMailbox to download attachments, but each time I getMail(), the attachments value is empty on every email that has attachments.
All the rest of the email info is downloaded correctly.
I've looked through the class code but can't identify where the problem might be.
Here is my current code:
$mailbox = new ImapMailbox('{testsite.com:110/pop3/novalidate-cert}INBOX', 'testemail#testsite.com', 'MyPaSs', ATTACH_DIR, 'utf-8');
$mails = array();
foreach($mailbox->searchMailbox('SUBJECT "test attach" SINCE "' . date('m/d/Y', strtotime('-1 week')) . '"') as $mailId) {
$mail = $mailbox->getMail($mailId);
$mails[] = $mail;
}
After dumping the $data var in getMail(), it appears there are attachments in winmail.dat format. The code cannot get to these because no attachmentId value is being assigned due to an empty 'ifid' value. Decoding the winmail.dat attachments can be done, but only if they are detected and written to file.
Any ideas how create a workaround in the ImapMailbox code for this?
Here is what I wrote that fixes this problem.
At the beginning of initMailPart() method, add the following:
static $altAttachmentId = 0;
At the end of the IF block for if($this->attachmentsDir) { add the following where the closing } bracket is:
} elseif (!empty($params['fileName']) || !empty($params['filename']) || !empty($params['name'])) { // Process attachments that are not inline.
// Check if need to decode TNEF (Winmail.dat) file.
if ($partStructure->ifsubtype && $partStructure->subtype == 'MS-TNEF') {
require_once 'path_to_your/tnef_decoder.php';
$Tnef = new tnef_decoder;
$un_tnef = $Tnef->decompress($data);
$attached_files = array();
foreach ($un_tnef as $f) {
if (!empty($f['name']) && !empty($f['stream'])) {
$attachment = new IncomingMailAttachment();
$attachment->id = $altAttachmentId;
$attachment->name = $f['name'];
$attachment->filePath = $this->attachmentsDir . DIRECTORY_SEPARATOR . preg_replace('~[\\\\/]~', '', $f['name']);
$mail->addAttachment($attachment);
if (file_exists($attachment->filePath) && md5($f['stream']) != md5_file($attachment->filePath)) {
$attachment->filePath = $this->attachmentsDir . DIRECTORY_SEPARATOR . preg_replace('~[\\\\/]~', '', $mail->id . '_' . $altAttachmentId . '_' . $f['name']);
}
file_put_contents($attachment->filePath, $f['stream']);
$altAttachmentId++;
}
}
} else {
if (!empty($params['filename'])) {
$fileName = $params['filename']; // Account for random camel-case mistake on element.
} elseif (!empty($params['fileName'])) {
$fileName = $params['fileName'];
} else {
$fileName = $params['name'];
}
$attachment = new IncomingMailAttachment();
$attachment->id = $altAttachmentId;
$attachment->name = $fileName;
$attachment->filePath = $this->attachmentsDir . DIRECTORY_SEPARATOR . preg_replace('~[\\\\/]~', '', $mail->id . '_' . $altAttachmentId . '_' . $fileName);
$mail->addAttachment($attachment);
file_put_contents($attachment->filePath, $data);
$altAttachmentId++;
}
}
Note that you must include the tnef_decoder.php file found in the Roundcube Webmail package for the TNEF decoding to work. I got inspiration for the TNEF solution here.
This modification will process all TNEF encoded files in a Winmail.dat file and any other attachment that is not attached inline. Watch your memory usage on large files.
It also won't overwrite existing files that are the same name if they are not exactly the same.

Categories