3 * This program is free software; you can redistribute it and/or modify
4 * it under the terms of the GNU General Public License as published by
5 * the Free Software Foundation; either version 2 of the License, or
6 * (at your option) any later version.
8 * This program is distributed in the hope that it will be useful,
9 * but WITHOUT ANY WARRANTY; without even the implied warranty of
10 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
11 * GNU General Public License for more details.
13 * You should have received a copy of the GNU General Public License along
14 * with this program; if not, write to the Free Software Foundation, Inc.,
15 * 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
16 * http://www.gnu.org/copyleft/gpl.html
18 * @author <brion@pobox.com>
19 * @author <mail@tgries.de>
20 * @author Tim Starling
26 * Stores a single person's name and email address.
27 * These are passed in via the constructor, and will be returned in SMTP
28 * header format when requested.
32 * @param $address Mixed: string with an email address, or a User object
33 * @param $name String: human-readable name if a string address is given
35 function __construct( $address, $name = null, $realName = null ) {
36 if( is_object( $address ) && $address instanceof User
) {
37 $this->address
= $address->getEmail();
38 $this->name
= $address->getName();
39 $this->realName
= $address->getRealName();
41 $this->address
= strval( $address );
42 $this->name
= strval( $name );
43 $this->realName
= strval( $realName );
48 * Return formatted and quoted address to insert into SMTP headers
52 # PHP's mail() implementation under Windows is somewhat shite, and
53 # can't handle "Joe Bloggs <joe@bloggs.com>" format email addresses,
54 # so don't bother generating them
55 if( $this->name
!= '' && !wfIsWindows() ) {
56 global $wgEnotifUseRealName;
57 $name = ( $wgEnotifUseRealName && $this->realName
) ?
$this->realName
: $this->name
;
58 $quoted = wfQuotedPrintable( $name );
59 if( strpos( $quoted, '.' ) !== false ||
strpos( $quoted, ',' ) !== false ) {
60 $quoted = '"' . $quoted . '"';
62 return "$quoted <{$this->address}>";
64 return $this->address
;
68 function __toString() {
69 return $this->toString();
75 * Collection of static functions for sending mail
79 * Send mail using a PEAR mailer
81 protected static function sendWithPear($mailer, $dest, $headers, $body)
83 $mailResult = $mailer->send($dest, $headers, $body);
85 # Based on the result return an error string,
86 if( PEAR
::isError( $mailResult ) ) {
87 wfDebug( "PEAR::Mail failed: " . $mailResult->getMessage() . "\n" );
88 return new WikiError( $mailResult->getMessage() );
95 * This function will perform a direct (authenticated) login to
96 * a SMTP Server to use for mail relaying if 'wgSMTP' specifies an
97 * array of parameters. It requires PEAR:Mail to do that.
98 * Otherwise it just uses the standard PHP 'mail' function.
100 * @param $to MailAddress: recipient's email
101 * @param $from MailAddress: sender's email
102 * @param $subject String: email's subject.
103 * @param $body String: email's text.
104 * @param $replyto MailAddress: optional reply-to email (default: null).
105 * @param $contentType String: optional custom Content-Type
106 * @return mixed True on success, a WikiError object on failure.
108 static function send( $to, $from, $subject, $body, $replyto=null, $contentType=null ) {
109 global $wgSMTP, $wgOutputEncoding, $wgErrorString, $wgEnotifImpersonal;
110 global $wgEnotifMaxRecips;
112 if ( is_array( $to ) ) {
113 wfDebug( __METHOD__
.': sending mail to ' . implode( ',', $to ) . "\n" );
115 wfDebug( __METHOD__
.': sending mail to ' . implode( ',', array( $to->toString() ) ) . "\n" );
118 if (is_array( $wgSMTP )) {
119 require_once( 'Mail.php' );
121 $msgid = str_replace(" ", "_", microtime());
122 if (function_exists('posix_getpid'))
123 $msgid .= '.' . posix_getpid();
128 $dest[] = $u->address
;
130 $dest = $to->address
;
132 $headers['From'] = $from->toString();
134 if ($wgEnotifImpersonal) {
135 $headers['To'] = 'undisclosed-recipients:;';
138 $headers['To'] = implode( ", ", (array )$dest );
142 $headers['Reply-To'] = $replyto->toString();
144 $headers['Subject'] = wfQuotedPrintable( $subject );
145 $headers['Date'] = date( 'r' );
146 $headers['MIME-Version'] = '1.0';
147 $headers['Content-type'] = (is_null($contentType) ?
148 'text/plain; charset='.$wgOutputEncoding : $contentType);
149 $headers['Content-transfer-encoding'] = '8bit';
150 $headers['Message-ID'] = "<$msgid@" . $wgSMTP['IDHost'] . '>'; // FIXME
151 $headers['X-Mailer'] = 'MediaWiki mailer';
153 // Create the mail object using the Mail::factory method
154 $mail_object =& Mail
::factory('smtp', $wgSMTP);
155 if( PEAR
::isError( $mail_object ) ) {
156 wfDebug( "PEAR::Mail factory failed: " . $mail_object->getMessage() . "\n" );
157 return new WikiError( $mail_object->getMessage() );
160 wfDebug( "Sending mail via PEAR::Mail to $dest\n" );
161 $chunks = array_chunk( (array)$dest, $wgEnotifMaxRecips );
162 foreach ($chunks as $chunk) {
163 $e = self
::sendWithPear($mail_object, $chunk, $headers, $body);
164 if( WikiError
::isError( $e ) )
168 # In the following $headers = expression we removed "Reply-To: {$from}\r\n" , because it is treated differently
169 # (fifth parameter of the PHP mail function, see some lines below)
171 # Line endings need to be different on Unix and Windows due to
172 # the bug described at http://trac.wordpress.org/ticket/2603
173 if ( wfIsWindows() ) {
174 $body = str_replace( "\n", "\r\n", $body );
179 $ctype = (is_null($contentType) ?
180 'text/plain; charset='.$wgOutputEncoding : $contentType);
182 "MIME-Version: 1.0$endl" .
183 "Content-type: $ctype$endl" .
184 "Content-Transfer-Encoding: 8bit$endl" .
185 "X-Mailer: MediaWiki mailer$endl".
186 'From: ' . $from->toString();
188 $headers .= "{$endl}Reply-To: " . $replyto->toString();
191 wfDebug( "Sending mail via internal mail() function\n" );
194 $html_errors = ini_get( 'html_errors' );
195 ini_set( 'html_errors', '0' );
196 set_error_handler( array( 'UserMailer', 'errorHandler' ) );
198 if (function_exists('mail')) {
200 foreach ($to as $recip) {
201 $sent = mail( $recip->toString(), wfQuotedPrintable( $subject ), $body, $headers );
204 $sent = mail( $to->toString(), wfQuotedPrintable( $subject ), $body, $headers );
207 $wgErrorString = 'PHP is not configured to send mail';
210 restore_error_handler();
211 ini_set( 'html_errors', $html_errors );
213 if ( $wgErrorString ) {
214 wfDebug( "Error sending mail: $wgErrorString\n" );
215 return new WikiError( $wgErrorString );
217 //mail function only tells if there's an error
218 wfDebug( "Error sending mail\n" );
219 return new WikiError( 'mailer error' );
227 * Get the mail error message in global $wgErrorString
229 * @param $code Integer: error number
230 * @param $string String: error message
232 static function errorHandler( $code, $string ) {
233 global $wgErrorString;
234 $wgErrorString = preg_replace( '/^mail\(\)(\s*\[.*?\])?: /', '', $string );
238 * Converts a string into a valid RFC 822 "phrase", such as is used for the sender name
240 static function rfc822Phrase( $phrase ) {
241 $phrase = strtr( $phrase, array( "\r" => '', "\n" => '', '"' => '' ) );
242 return '"' . $phrase . '"';
247 * This module processes the email notifications when the current page is
248 * changed. It looks up the table watchlist to find out which users are watching
251 * The current implementation sends independent emails to each watching user for
252 * the following reason:
254 * - Each watching user will be notified about the page edit time expressed in
255 * his/her local time (UTC is shown additionally). To achieve this, we need to
256 * find the individual timeoffset of each watching user from the preferences..
258 * Suggested improvement to slack down the number of sent emails: We could think
259 * of sending out bulk mails (bcc:user1,user2...) for all these users having the
260 * same timeoffset in their preferences.
262 * Visit the documentation pages under http://meta.wikipedia.com/Enotif
266 class EmailNotification
{
267 protected $to, $subject, $body, $replyto, $from;
268 protected $user, $title, $timestamp, $summary, $minorEdit, $oldid, $composed_common, $editor;
269 protected $mailTargets = array();
272 * Send emails corresponding to the user $editor editing the page $title.
273 * Also updates wl_notificationtimestamp.
275 * May be deferred via the job queue.
277 * @param $editor User object
278 * @param $title Title object
282 * @param $oldid (default: false)
284 function notifyOnPageChange($editor, $title, $timestamp, $summary, $minorEdit, $oldid = false) {
285 global $wgEnotifUseJobQ, $wgEnotifWatchlist, $wgShowUpdatedMarker;
287 if ($title->getNamespace() < 0)
290 // Build a list of users to notfiy
292 if ($wgEnotifWatchlist ||
$wgShowUpdatedMarker) {
293 $dbw = wfGetDB( DB_MASTER
);
294 $res = $dbw->select( array( 'watchlist' ),
297 'wl_title' => $title->getDBkey(),
298 'wl_namespace' => $title->getNamespace(),
299 'wl_user != ' . intval( $editor->getID() ),
300 'wl_notificationtimestamp IS NULL',
303 while ($row = $dbw->fetchObject( $res ) ) {
304 $watchers[] = intval( $row->wl_user
);
307 // Update wl_notificationtimestamp for all watching users except
310 $dbw->update( 'watchlist',
312 'wl_notificationtimestamp' => $dbw->timestamp( $timestamp )
313 ), array( /* WHERE */
314 'wl_title' => $title->getDBkey(),
315 'wl_namespace' => $title->getNamespace(),
316 'wl_user' => $watchers
323 if ($wgEnotifUseJobQ) {
325 "editor" => $editor->getName(),
326 "editorID" => $editor->getID(),
327 "timestamp" => $timestamp,
328 "summary" => $summary,
329 "minorEdit" => $minorEdit,
331 "watchers" => $watchers);
332 $job = new EnotifNotifyJob( $title, $params );
335 $this->actuallyNotifyOnPageChange( $editor, $title, $timestamp, $summary, $minorEdit, $oldid, $watchers );
341 * Immediate version of notifyOnPageChange().
343 * Send emails corresponding to the user $editor editing the page $title.
344 * Also updates wl_notificationtimestamp.
346 * @param $editor User object
347 * @param $title Title object
348 * @param $timestamp string Edit timestamp
349 * @param $summary string Edit summary
350 * @param $minorEdit bool
351 * @param $oldid int Revision ID
352 * @param $watchers array of user IDs
354 function actuallyNotifyOnPageChange($editor, $title, $timestamp, $summary, $minorEdit, $oldid, $watchers) {
355 # we use $wgPasswordSender as sender's address
356 global $wgEnotifWatchlist;
357 global $wgEnotifMinorEdits, $wgEnotifUserTalk;
358 global $wgEnotifImpersonal;
360 wfProfileIn( __METHOD__
);
362 # The following code is only run, if several conditions are met:
363 # 1. EmailNotification for pages (other than user_talk pages) must be enabled
364 # 2. minor edits (changes) are only regarded if the global flag indicates so
366 $isUserTalkPage = ($title->getNamespace() == NS_USER_TALK
);
367 $enotifusertalkpage = ($isUserTalkPage && $wgEnotifUserTalk);
368 $enotifwatchlistpage = $wgEnotifWatchlist;
370 $this->title
= $title;
371 $this->timestamp
= $timestamp;
372 $this->summary
= $summary;
373 $this->minorEdit
= $minorEdit;
374 $this->oldid
= $oldid;
375 $this->editor
= $editor;
376 $this->composed_common
= false;
380 if ( !$minorEdit ||
($wgEnotifMinorEdits && !$editor->isAllowed('nominornewtalk') ) ) {
381 if ( $wgEnotifUserTalk && $isUserTalkPage ) {
382 $targetUser = User
::newFromName( $title->getText() );
383 if ( !$targetUser ||
$targetUser->isAnon() ) {
384 wfDebug( __METHOD__
.": user talk page edited, but user does not exist\n" );
385 } elseif ( $targetUser->getId() == $editor->getId() ) {
386 wfDebug( __METHOD__
.": user edited their own talk page, no notification sent\n" );
387 } elseif( $targetUser->getOption( 'enotifusertalkpages' ) ) {
388 if( $targetUser->isEmailConfirmed() ) {
389 wfDebug( __METHOD__
.": sending talk page update notification\n" );
390 $this->compose( $targetUser );
391 $userTalkId = $targetUser->getId();
393 wfDebug( __METHOD__
.": talk page owner doesn't have validated email\n" );
396 wfDebug( __METHOD__
.": talk page owner doesn't want notifications\n" );
400 if ( $wgEnotifWatchlist ) {
401 // Send updates to watchers other than the current editor
402 $userArray = UserArray
::newFromIDs( $watchers );
403 foreach ( $userArray as $watchingUser ) {
404 if ( $watchingUser->getOption( 'enotifwatchlistpages' ) &&
405 ( !$minorEdit ||
$watchingUser->getOption('enotifminoredits') ) &&
406 $watchingUser->isEmailConfirmed() &&
407 $watchingUser->getID() != $userTalkId )
409 $this->compose( $watchingUser );
415 global $wgUsersNotifiedOnAllChanges;
416 foreach ( $wgUsersNotifiedOnAllChanges as $name ) {
417 $user = User
::newFromName( $name );
418 $this->compose( $user );
422 wfProfileOut( __METHOD__
);
428 function composeCommonMailtext() {
429 global $wgPasswordSender, $wgNoReplyAddress;
430 global $wgEnotifFromEditor, $wgEnotifRevealEditorAddress;
431 global $wgEnotifImpersonal, $wgEnotifUseRealName;
433 $this->composed_common
= true;
435 $summary = ($this->summary
== '') ?
' - ' : $this->summary
;
436 $medit = ($this->minorEdit
) ?
wfMsg( 'minoredit' ) : '';
438 # You as the WikiAdmin and Sysops can make use of plenty of
439 # named variables when composing your notification emails while
440 # simply editing the Meta pages
442 $subject = wfMsgForContent( 'enotif_subject' );
443 $body = wfMsgForContent( 'enotif_body' );
444 $from = ''; /* fail safe */
445 $replyto = ''; /* fail safe */
449 $difflink = $this->title
->getFullUrl( 'diff=0&oldid=' . $this->oldid
);
450 $keys['$NEWPAGE'] = wfMsgForContent( 'enotif_lastvisited', $difflink );
451 $keys['$OLDID'] = $this->oldid
;
452 $keys['$CHANGEDORCREATED'] = wfMsgForContent( 'changed' );
454 $keys['$NEWPAGE'] = wfMsgForContent( 'enotif_newpagetext' );
455 # clear $OLDID placeholder in the message template
456 $keys['$OLDID'] = '';
457 $keys['$CHANGEDORCREATED'] = wfMsgForContent( 'created' );
460 if ($wgEnotifImpersonal && $this->oldid
)
462 * For impersonal mail, show a diff link to the last
465 $keys['$NEWPAGE'] = wfMsgForContent('enotif_lastdiff',
466 $this->title
->getFullURL("oldid={$this->oldid}&diff=prev"));
468 $body = strtr( $body, $keys );
469 $pagetitle = $this->title
->getPrefixedText();
470 $keys['$PAGETITLE'] = $pagetitle;
471 $keys['$PAGETITLE_URL'] = $this->title
->getFullUrl();
473 $keys['$PAGEMINOREDIT'] = $medit;
474 $keys['$PAGESUMMARY'] = $summary;
476 $subject = strtr( $subject, $keys );
478 # Reveal the page editor's address as REPLY-TO address only if
479 # the user has not opted-out and the option is enabled at the
480 # global configuration level.
481 $editor = $this->editor
;
482 $name = $wgEnotifUseRealName ?
$editor->getRealName() : $editor->getName();
483 $adminAddress = new MailAddress( $wgPasswordSender, 'WikiAdmin' );
484 $editorAddress = new MailAddress( $editor );
485 if( $wgEnotifRevealEditorAddress
486 && ( $editor->getEmail() != '' )
487 && $editor->getOption( 'enotifrevealaddr' ) ) {
488 if( $wgEnotifFromEditor ) {
489 $from = $editorAddress;
491 $from = $adminAddress;
492 $replyto = $editorAddress;
495 $from = $adminAddress;
496 $replyto = new MailAddress( $wgNoReplyAddress );
499 if( $editor->isIP( $name ) ) {
500 #real anon (user:xxx.xxx.xxx.xxx)
501 $utext = wfMsgForContent('enotif_anon_editor', $name);
502 $subject = str_replace('$PAGEEDITOR', $utext, $subject);
503 $keys['$PAGEEDITOR'] = $utext;
504 $keys['$PAGEEDITOR_EMAIL'] = wfMsgForContent( 'noemailtitle' );
506 $subject = str_replace('$PAGEEDITOR', $name, $subject);
507 $keys['$PAGEEDITOR'] = $name;
508 $emailPage = SpecialPage
::getSafeTitleFor( 'Emailuser', $name );
509 $keys['$PAGEEDITOR_EMAIL'] = $emailPage->getFullUrl();
511 $userPage = $editor->getUserPage();
512 $keys['$PAGEEDITOR_WIKI'] = $userPage->getFullUrl();
513 $body = strtr( $body, $keys );
514 $body = wordwrap( $body, 72 );
516 # now save this as the constant user-independent part of the message
518 $this->replyto
= $replyto;
519 $this->subject
= $subject;
524 * Compose a mail to a given user and either queue it for sending, or send it now,
525 * depending on settings.
527 * Call sendMails() to send any mails that were queued.
529 function compose( $user ) {
530 global $wgEnotifImpersonal;
532 if ( !$this->composed_common
)
533 $this->composeCommonMailtext();
535 if ( $wgEnotifImpersonal ) {
536 $this->mailTargets
[] = new MailAddress( $user );
538 $this->sendPersonalised( $user );
543 * Send any queued mails
545 function sendMails() {
546 global $wgEnotifImpersonal;
547 if ( $wgEnotifImpersonal ) {
548 $this->sendImpersonal( $this->mailTargets
);
553 * Does the per-user customizations to a notification e-mail (name,
554 * timestamp in proper timezone, etc) and sends it out.
555 * Returns true if the mail was sent successfully.
557 * @param User $watchingUser
558 * @param object $mail
562 function sendPersonalised( $watchingUser ) {
563 global $wgContLang, $wgEnotifUseRealName;
564 // From the PHP manual:
565 // Note: The to parameter cannot be an address in the form of "Something <someone@example.com>".
566 // The mail command will not parse this properly while talking with the MTA.
567 $to = new MailAddress( $watchingUser );
568 $name = $wgEnotifUseRealName ?
$watchingUser->getRealName() : $watchingUser->getName();
569 $body = str_replace( '$WATCHINGUSERNAME', $name , $this->body
);
571 $timecorrection = $watchingUser->getOption( 'timecorrection' );
573 # $PAGEEDITDATE is the time and date of the page change
574 # expressed in terms of individual local time of the notification
575 # recipient, i.e. watching user
576 $body = str_replace('$PAGEEDITDATE',
577 $wgContLang->timeanddate( $this->timestamp
, true, false, $timecorrection ),
580 return UserMailer
::send($to, $this->from
, $this->subject
, $body, $this->replyto
);
584 * Same as sendPersonalised but does impersonal mail suitable for bulk
585 * mailing. Takes an array of MailAddress objects.
587 function sendImpersonal( $addresses ) {
590 if (empty($addresses))
594 array( '$WATCHINGUSERNAME',
596 array( wfMsgForContent('enotif_impersonal_salutation'),
597 $wgContLang->timeanddate($this->timestamp
, true, false, false)),
600 return UserMailer
::send($addresses, $this->from
, $this->subject
, $body, $this->replyto
);
603 } # end of class EmailNotification
606 * Backwards compatibility functions
608 function wfRFC822Phrase( $s ) {
609 return UserMailer
::rfc822Phrase( $s );
612 function userMailer( $to, $from, $subject, $body, $replyto=null ) {
613 return UserMailer
::send( $to, $from, $subject, $body, $replyto );