Description and authors of all default plugins reworked. (Original plugin authors are mentioned in CONTRIBUTORS.md from now on.)

This commit is contained in:
azett 2020-10-24 20:42:59 +02:00
parent 6830a2b0e8
commit c2accdedcc
23 changed files with 1011 additions and 1030 deletions

View File

@ -1,22 +1,20 @@
<?php <?php
/* /*
Plugin Name: Accessible Antispam * Plugin Name: Accessible Antispam
Plugin URI: http://flatpress.nowherland.it/ * Plugin URI: https://www.flatpress.org
Description: Antispam asking to answer a simple math question. * Author: FlatPress
Author: NoWhereMan (E.Vacchi) * Author URI: https://www.flatpress.org
Version: 3.0 * Description: Antispam asking to answer a simple math question. Part of the standard distribution.
Author URI: http://www.nowhereland.it * Version: 3.0
*/ */
define('AASPAM_DEBUG', false); define('AASPAM_DEBUG', false);
define('AASPAM_LOG', CACHE_DIR . 'aaspamlog.txt'); define('AASPAM_LOG', CACHE_DIR . 'aaspamlog.txt');
add_action('comment_validate', 'plugin_aaspam_validate', 5, 2); add_action('comment_validate', 'plugin_aaspam_validate', 5, 2);
add_action('comment_form', 'plugin_aaspam_comment_form'); add_action('comment_form', 'plugin_aaspam_comment_form');
function plugin_aaspam_validate($bool, $arr) { function plugin_aaspam_validate($bool, $arr) {
// if boolean $bool==false // if boolean $bool==false
// the test is forced to fail // the test is forced to fail
if (!$bool) if (!$bool)
@ -25,118 +23,116 @@ function plugin_aaspam_validate($bool, $arr) {
// if user is loggedin we ignore the plugin // if user is loggedin we ignore the plugin
if (user_loggedin()) if (user_loggedin())
return true; return true;
// get the value and reset last saved, so that // get the value and reset last saved, so that
// an attacker can't use the old one for multiple posting // an attacker can't use the old one for multiple posting
$v = sess_remove('aaspam'); $v = sess_remove('aaspam');
// we get the array stored in session: // we get the array stored in session:
// if it evaluated to false value (e.g. is null) test fails // if it evaluated to false value (e.g. is null) test fails
if (!$v) { if (!$v) {
return false; return false;
} }
// we test the result wether match user input // we test the result wether match user input
if (!($ret = $_POST['aaspam']==$v)) { if (!($ret = $_POST ['aaspam'] == $v)) {
global $smarty; global $smarty;
$lang = lang_load('plugin:accessibleantispam'); $lang = lang_load('plugin:accessibleantispam');
$smarty->append('error', $lang['plugin']['accessibleantispam']['error']); $smarty->append('error', $lang ['plugin'] ['accessibleantispam'] ['error']);
} }
if ( AASPAM_DEBUG && $f=@fopen(AASPAM_LOG, 'a') ) { if (AASPAM_DEBUG && $f = @fopen(AASPAM_LOG, 'a')) {
$arr['aaspam-q'] = $_POST['aaspam']; $arr ['aaspam-q'] = $_POST ['aaspam'];
$arr['aaspam-a'] = $v; $arr ['aaspam-a'] = $v;
$arr['SUCCESS'] = $ret; $arr ['SUCCESS'] = $ret;
$s = date('r'). "|" . session_id().'|'.utils_kimplode($arr)."\r\n"; $s = date('r') . "|" . session_id() . '|' . utils_kimplode($arr) . "\r\n";
@fwrite($f, $s); @fwrite($f, $s);
@fclose($f); @fclose($f);
} }
return $ret; return $ret;
} }
function plugin_aaspam_comment_form() { function plugin_aaspam_comment_form() {
// we get a random arithmetic operation // we get a random arithmetic operation
// between sum, subtraction and multiplication; // between sum, subtraction and multiplication;
// we intentionally left out division because // we intentionally left out division because
// it can lead to situations like division by zero // it can lead to situations like division by zero
// or floating point numbers // or floating point numbers
$myop = array_rand($ops = array(
'+',
'-',
'*'
));
$op = $ops [$myop];
$myop = array_rand($ops=array('+','-','*'));
$op=$ops[$myop];
// we get two random integers between 1 and 10 // we get two random integers between 1 and 10
$v1 = mt_rand(1, 10); $v1 = mt_rand(1, 10);
// we rand $v2 until it differs from $v1 // we rand $v2 until it differs from $v1
// (otherwise result for subtractions is zero) // (otherwise result for subtractions is zero)
while (($v2 = mt_rand(1, 10))==$v1); while (($v2 = mt_rand(1, 10)) == $v1)
;
// if operation is subtraction // if operation is subtraction
// the higher number must always come first // the higher number must always come first
// or you'll get a negative integer // or you'll get a negative integer
if ($v2>$v1 && $op=='-') { if ($v2 > $v1 && $op == '-') {
$tmp = $v1; $tmp = $v1;
$v1 = $v2; $v1 = $v2;
$v2 = $tmp; $v2 = $tmp;
} }
// execute the operation // execute the operation
switch($op) { switch ($op) {
case '+' : case '+':
$v = $v1+$v2; $v = $v1 + $v2;
break; break;
case '-' : case '-':
$v = $v1-$v2; $v = $v1 - $v2;
break; break;
case '*' : case '*':
$v = $v1*$v2; $v = $v1 * $v2;
break; break;
} }
sess_add('aaspam', $v); sess_add('aaspam', $v);
// load plugin strings // load plugin strings
// they're located under plugin.PLUGINNAME/lang/LANGID/ // they're located under plugin.PLUGINNAME/lang/LANGID/
$lang = lang_load('plugin:accessibleantispam'); $lang = lang_load('plugin:accessibleantispam');
$langstrings =& $lang['plugin']['accessibleantispam']; $langstrings = & $lang ['plugin'] ['accessibleantispam'];
// get the correct question depending on the operation // get the correct question depending on the operation
switch($op) { switch ($op) {
case '+' : case '+':
$question = $langstrings['sum']; $question = $langstrings ['sum'];
break; break;
case '-' : case '-':
$question = $langstrings['sub']; $question = $langstrings ['sub'];
break; break;
case '*' : case '*':
$question = $langstrings['prod']; $question = $langstrings ['prod'];
break; break;
} }
// format the question with numbers at the proper positions // format the question with numbers at the proper positions
$question = sprintf($question, $v1, $v2); $question = sprintf($question, $v1, $v2);
if ( AASPAM_DEBUG && $f=@fopen(AASPAM_LOG, 'a') ) { if (AASPAM_DEBUG && $f = @fopen(AASPAM_LOG, 'a')) {
$arr['aaspam-q'] = $v; $arr ['aaspam-q'] = $v;
@fwrite($f, date('r'). '|'.session_id() .'|'. utils_kimplode($arr)."\r\n"); @fwrite($f, date('r') . '|' . session_id() . '|' . utils_kimplode($arr) . "\r\n");
@fclose($f); @fclose($f);
} }
// echoes the question and the form part // echoes the question and the form part
echo <<<STR echo <<<STR
<p><label class="textlabel" for="aaspam">{$lang['plugin']['accessibleantispam']['prefix']} <strong>$question (*)</strong></label><br /> <p><label class="textlabel" for="aaspam">{$lang['plugin']['accessibleantispam']['prefix']} <strong>$question (*)</strong></label><br />
<input type="text" name="aaspam" id="aaspam" /></p> <input type="text" name="aaspam" id="aaspam" /></p>
STR; STR;
} }
?> ?>

View File

@ -2,11 +2,11 @@
/* /*
* Plugin Name: AdminArea * Plugin Name: AdminArea
* Plugin URI: http://www.nowhereland.it/ * Plugin URI: https://www.flatpress.org
* Description: AdminArea plugin. Part of the standard distribution ;) * Author: FlatPress
* Author: NoWhereMan * Author URI: https://www.flatpress.org
* Description: AdminArea plugin. Part of the standard distribution.
* Version: 1.0 * Version: 1.0
* Author URI: http://www.nowhereland.it/
*/ */
function plugin_adminarea_widget() { function plugin_adminarea_widget() {

View File

@ -1,14 +1,12 @@
<?php <?php
/* /*
Plugin Name: Akismet * Plugin Name: Akismet
Version: 0.1 * Plugin URI: https://www.flatpress.org
Plugin URI: http://flatpress.sf.net * Author: FlatPress
Description: Integration with Akismet powerful Antispam system! * Author URI: https://www.flatpress.org
Author: NoWhereMan * Description: Integration with Akismet powerful Antispam system. Part of the standard distribution.
Author URI: http://flatpress.sf.net * Version: 1.0
*/ */
define('AKISMET_TIMEOUT', 10); define('AKISMET_TIMEOUT', 10);
require plugin_getdir('akismet') . '/inc/Akismet.class.php'; require plugin_getdir('akismet') . '/inc/Akismet.class.php';
@ -16,70 +14,71 @@ require plugin_getdir('akismet') . '/inc/Akismet.class.php';
function plugin_akismet_setup() { function plugin_akismet_setup() {
global $fp_config; global $fp_config;
if (!plugin_getoptions('akismet','apikey')) { if (!plugin_getoptions('akismet', 'apikey')) {
return -1; return -1;
} }
return 1; return 1;
} }
if (plugin_getoptions('akismet','apikey')) { if (plugin_getoptions('akismet', 'apikey')) {
add_filter('comment_validate','plugin_akismet_validate', 10, 2); add_filter('comment_validate', 'plugin_akismet_validate', 10, 2);
} }
function plugin_akismet_validate($bool, $contents) { function plugin_akismet_validate($bool, $contents) {
if (!$bool)
if (!$bool) return false;
global $fp_config;
$akismet = new Akismet($fp_config['general']['www'], plugin_getoptions('akismet','apikey'));
$akismet->setAuthor($contents['name']);
$akismet->setAuthorEmail(isset($contents['email'])? $contents['email'] : '');
$akismet->setAuthorURL(isset($contents['url'])? $contents['url'] : '');
$akismet->setContent($contents['content']);
if ($v= $akismet->isSpam()){
global $smarty;
$smarty->assign('error', array('ERROR: Comment is invalid'));
return false; return false;
}
global $fp_config;
$akismet = new Akismet($fp_config ['general'] ['www'], plugin_getoptions('akismet', 'apikey'));
$akismet->setAuthor($contents ['name']);
$akismet->setAuthorEmail(isset($contents ['email']) ? $contents ['email'] : '');
$akismet->setAuthorURL(isset($contents ['url']) ? $contents ['url'] : '');
$akismet->setContent($contents ['content']);
if ($v = $akismet->isSpam()) {
global $smarty;
$smarty->assign('error', array(
'ERROR: Comment is invalid'
));
return false;
}
return true; return true;
} }
if (class_exists('AdminPanelAction')){ if (class_exists('AdminPanelAction')) {
class admin_plugin_akismet extends AdminPanelAction {
class admin_plugin_akismet extends AdminPanelAction {
var $langres = 'plugin:akismet'; var $langres = 'plugin:akismet';
function setup() { function setup() {
$this->smarty->assign('admin_resource', "plugin:akismet/admin.plugin.akismet"); $this->smarty->assign('admin_resource', "plugin:akismet/admin.plugin.akismet");
} }
function main() { function main() {
$akismetconf = plugin_getoptions('akismet'); $akismetconf = plugin_getoptions('akismet');
$this->smarty->assign('akismetconf', $akismetconf); $this->smarty->assign('akismetconf', $akismetconf);
} }
function onsubmit() { function onsubmit() {
global $fp_config; global $fp_config;
if ($_POST['wp-apikey']){ if ($_POST ['wp-apikey']) {
plugin_addoption('akismet', 'apikey', $_POST['wp-apikey']); plugin_addoption('akismet', 'apikey', $_POST ['wp-apikey']);
plugin_saveoptions('akismet'); plugin_saveoptions('akismet');
$this->smarty->assign('success', 1); $this->smarty->assign('success', 1);
} else { } else {
$this->smarty->assign('success', -1); $this->smarty->assign('success', -1);
} }
return 2; return 2;
} }
} }
admin_addpanelaction('plugin', 'akismet', true); admin_addpanelaction('plugin', 'akismet', true);
} }

View File

@ -1,86 +1,84 @@
<?php <?php
/* /*
Plugin Name: Archives * Plugin Name: Archives
Version: 1.0 * Plugin URI: https://www.flatpress.org
Plugin URI: http://flatpress.sf.net * Author: FlatPress
Description: Adds an Archive widget element * Author URI: https://www.flatpress.org
Author: NoWhereMan * Description: Adds an Archive widget element. Part of the standard distribution.
Author URI: http://flatpress.sf.net * Version: 1.0
*/ */
class plugin_archives_monthlist extends fs_filelister { class plugin_archives_monthlist extends fs_filelister {
var $_directory = CONTENT_DIR; var $_directory = CONTENT_DIR;
var $_list = array();
var $_htmllist = array(); var $_list = array();
var $_months = array();
var $_year = ''; var $_htmllist = array();
function _checkFile($directory, $file) { var $_months = array();
$f = "$directory/$file";
var $_year = '';
if (ctype_digit($file)) {
if ($this->_directory === $directory) { function _checkFile($directory, $file) {
// add year to the list (do not closes li, because $f = "$directory/$file";
// we may have nested elements)
$this->_year = $file; if (ctype_digit($file)) {
$lnk = get_year_link($file); if ($this->_directory === $directory) {
$this->_htmllist[$this->_year] = "<li class=\"archive-year archive-y20$file\"> <a href=\"$lnk\">20$file</a>"; // add year to the list (do not closes li, because
return 1; // we may have nested elements)
} elseif (is_dir($f)) { $this->_year = $file;
$this->_months[] = $file; $lnk = get_year_link($file);
return 0; $this->_htmllist [$this->_year] = "<li class=\"archive-year archive-y20$file\"> <a href=\"$lnk\">20$file</a>";
} return 1;
} elseif (is_dir($f)) {
$this->_months [] = $file;
return 0;
} }
} }
}
function _exitingDir($directory = null, $file=null) {
function _exitingDir($directory = null, $file = null) {
$y = $this->_year; $y = $this->_year;
if ($mos =& $this->_months) { if ($mos = & $this->_months) {
sort($mos); sort($mos);
$list = ''; $list = '';
$linearlist = array(); $linearlist = array();
foreach($mos as $mth) { foreach ($mos as $mth) {
$lnk = get_month_link($y, $mth); $lnk = get_month_link($y, $mth);
$the_month = theme_date_format( mktime(0, 0, 0, $mth, 1, 0 ), '%B'); $the_month = theme_date_format(mktime(0, 0, 0, $mth, 1, 0), '%B');
$list = "<li class=\"archive-month archive-m$mth\"><a href=\"$lnk\">". $list = "<li class=\"archive-month archive-m$mth\"><a href=\"$lnk\">" . $the_month . ' </a></li>' . $list;
$the_month $linearlist ["$the_month 20{$this->_year}"] = $lnk;
.' </a></li>' . $list;
$linearlist["$the_month 20{$this->_year}"] = $lnk;
}
$list = '<ul>' . $list . '</ul>';
} }
$list = '<ul>' . $list . '</ul>';
$mos = array();
// we close year's li
$this->_list[$y] = $linearlist;
$this->_htmllist[$y] .= $list . '</li>';
} }
function getList() { $mos = array();
krsort($this->_list);
return $this->_list; // we close year's li
} $this->_list [$y] = $linearlist;
$this->_htmllist [$y] .= $list . '</li>';
function getHtmlList() { }
krsort($this->_htmllist);
return implode($this->_htmllist); function getList() {
} krsort($this->_list);
return $this->_list;
}
function getHtmlList() {
krsort($this->_htmllist);
return implode($this->_htmllist);
}
} }
function plugin_archives_head() { function plugin_archives_head() {
global $PLUGIN_ARCHIVES_MONTHLIST; global $PLUGIN_ARCHIVES_MONTHLIST;
$PLUGIN_ARCHIVES_MONTHLIST = new plugin_archives_monthlist; $PLUGIN_ARCHIVES_MONTHLIST = new plugin_archives_monthlist();
echo "\n<!-- archives -->\n"; echo "\n<!-- archives -->\n";
foreach($PLUGIN_ARCHIVES_MONTHLIST->getList() as $y => $months) { foreach ($PLUGIN_ARCHIVES_MONTHLIST->getList() as $y => $months) {
foreach ($months as $ttl => $link) foreach ($months as $ttl => $link)
echo "<link rel=\"archives\" title=\"{$ttl}\" href=\"{$link}\" />\n"; echo "<link rel=\"archives\" title=\"{$ttl}\" href=\"{$link}\" />\n";
} }
@ -90,19 +88,14 @@ function plugin_archives_head() {
add_filter('wp_head', 'plugin_archives_head'); add_filter('wp_head', 'plugin_archives_head');
function plugin_archives_widget() { function plugin_archives_widget() {
lang_load('plugin:archives'); lang_load('plugin:archives');
global $lang, $PLUGIN_ARCHIVES_MONTHLIST; global $lang, $PLUGIN_ARCHIVES_MONTHLIST;
return array( return array(
'subject' => $lang['plugin']['archives']['subject'], 'subject' => $lang ['plugin'] ['archives'] ['subject'],
'content' => ($list = $PLUGIN_ARCHIVES_MONTHLIST->getHtmlList()) ? 'content' => ($list = $PLUGIN_ARCHIVES_MONTHLIST->getHtmlList()) ? '<ul>' . $list . '</ul>' : "<p>{$lang['plugin']['archives']['no_posts']}</p>"
'<ul>' . $list . '</ul>' );
:
"<p>{$lang['plugin']['archives']['no_posts']}</p>"
);
} }
register_widget('archives', 'Archives', 'plugin_archives_widget'); register_widget('archives', 'Archives', 'plugin_archives_widget');

View File

@ -1,11 +1,11 @@
<?php <?php
/* /*
* Plugin Name: BBCode * Plugin Name: BBCode
* Version: 1.5 * Version: 1.6
* Plugin URI: http://flatpress.sf.net * Plugin URI: https://www.flatpress.org
* Description: Allows using <a href="http://www.phpbb.com/phpBB/faq.php?mode=bbcode">BBCode</a> markup; provides automatic integration with lightbox. * Author: FlatPress
* Author: Hydra, NoWhereMan * Author URI: https://www.flatpress.org
* Author URI: http://flatpress.sf.net * Description: Allows using <a href="http://www.phpbb.com/phpBB/faq.php?mode=bbcode">BBCode</a> markup; provides automatic integration with lightbox. Part of the standard distribution.
*/ */
require (plugin_getdir('bbcode') . '/inc/stringparser_bbcode.class.php'); require (plugin_getdir('bbcode') . '/inc/stringparser_bbcode.class.php');
require (plugin_getdir('bbcode') . '/panels/admin.plugin.panel.bbcode.php'); require (plugin_getdir('bbcode') . '/panels/admin.plugin.panel.bbcode.php');

View File

@ -2,12 +2,12 @@
/* /*
* Plugin Name: BlockParser * Plugin Name: BlockParser
* Plugin URI: http://www.nowhereland.it/
* Type: Block * Type: Block
* Description: BlockParser plugin. Part of the standard distribution ;) This allow you to use simple non-plugin custom blocks :)
* Author: NoWhereMan real_nowhereman at user dot sf dot net
* Version: 1.0 * Version: 1.0
* Author URI: http://www.nowhereland.it/ * Plugin URI: https://www.flatpress.org
* Author: FlatPress
* Author URI: https://www.flatpress.org
* Description: Allows you to use simple non-plugin custom blocks. Part of the standard distribution.
*/ */
// define('BLOCKS_DIR', CONTENT_DIR . 'blocks/'); // define('BLOCKS_DIR', CONTENT_DIR . 'blocks/');

View File

@ -3,11 +3,11 @@
/* /*
* Plugin Name: Calendar * Plugin Name: Calendar
* Version: 1.1 * Version: 1.1
* Plugin URI: http://flatpress.sf.net
* Type: Block * Type: Block
* Description: Adds a Calendar block level element * Plugin URI: https://www.flatpress.org
* Author: NoWhereMan * Author: FlatPress
* Author URI: http://flatpress.sf.net * Author URI: https://www.flatpress.org
* Description: Adds a calendar widget. Part of the standard distribution.
*/ */
// PHP Calendar (version 2.3), written by Keith Devens // PHP Calendar (version 2.3), written by Keith Devens
@ -19,17 +19,17 @@ function generate_calendar($year, $month, $days = array(), $day_name_length = 3,
// remember that mktime will automatically correct if invalid dates are entered // remember that mktime will automatically correct if invalid dates are entered
// for instance, mktime(0,0,0,12,32,1997) will be the date for Jan 1, 1998 // for instance, mktime(0,0,0,12,32,1997) will be the date for Jan 1, 1998
// this provides a built in "rounding" feature to generate_calendar() // this provides a built in "rounding" feature to generate_calendar()
$day_names = array(); // generate all the day names according to the current locale $day_names = array(); // generate all the day names according to the current locale
for($n = 0, $t = (3 + $first_day) * 86400; $n < 7; $n++, $t += 86400) // January 4, 1970 was a Sunday for($n = 0, $t = (3 + $first_day) * 86400; $n < 7; $n++, $t += 86400) // January 4, 1970 was a Sunday
$day_names [$n] = ucfirst(date_strformat('%A', $t)); // %A means full textual day name $day_names [$n] = ucfirst(date_strformat('%A', $t)); // %A means full textual day name
list ($month, $year, $month_name, $weekday) = explode(',', date_strformat('%m,%Y,%B,%w', $first_of_month)); list ($month, $year, $month_name, $weekday) = explode(',', date_strformat('%m,%Y,%B,%w', $first_of_month));
$weekday = ($weekday + 7 - $first_day) % 7; // adjust for $first_day $weekday = ($weekday + 7 - $first_day) % 7; // adjust for $first_day
$title = htmlentities(ucfirst($month_name)) . '&nbsp;' . $year; // note that some locales don't capitalize month and day names $title = htmlentities(ucfirst($month_name)) . '&nbsp;' . $year; // note that some locales don't capitalize month and day names
// Begin calendar. Uses a real <caption>. See http://diveintomark.org/archives/2002/07/03 // Begin calendar. Uses a real <caption>. See http://diveintomark.org/archives/2002/07/03
// PHP7 compatibility: Since $pn is never passed, we do not need to create "previous" and "next" elements. // PHP7 compatibility: Since $pn is never passed, we do not need to create "previous" and "next" elements.
$p = ''; $p = '';
$n = ''; $n = '';
@ -37,16 +37,16 @@ function generate_calendar($year, $month, $days = array(), $day_name_length = 3,
// @list($p, $pl) = each($pn); @list($n, $nl) = each($pn); #previous and next links, if applicable // @list($p, $pl) = each($pn); @list($n, $nl) = each($pn); #previous and next links, if applicable
// if($p) $p = '<span class="calendar-prev">'.($pl ? '<a href="'.($pl).'">'.$p.'</a>' : $p).'</span>&nbsp;'; // if($p) $p = '<span class="calendar-prev">'.($pl ? '<a href="'.($pl).'">'.$p.'</a>' : $p).'</span>&nbsp;';
// if($n) $n = '&nbsp;<span class="calendar-next">'.($nl ? '<a href="'.($nl).'">'.$n.'</a>' : $n).'</span>'; // if($n) $n = '&nbsp;<span class="calendar-next">'.($nl ? '<a href="'.($nl).'">'.$n.'</a>' : $n).'</span>';
$calendar = '<table class="calendar">' . "\n" . '<caption class="calendar-month">' . $p . ($month_href ? '<a href="' . ($month_href) . '">' . $title . '</a>' : $title) . $n . "</caption>\n<tr>"; $calendar = '<table class="calendar">' . "\n" . '<caption class="calendar-month">' . $p . ($month_href ? '<a href="' . ($month_href) . '">' . $title . '</a>' : $title) . $n . "</caption>\n<tr>";
if ($day_name_length) { // if the day names should be shown ($day_name_length > 0) if ($day_name_length) { // if the day names should be shown ($day_name_length > 0)
// if day_name_length is >3, the full name of the day will be printed // if day_name_length is >3, the full name of the day will be printed
foreach ($day_names as $d) foreach ($day_names as $d)
$calendar .= '<th abbr="' . htmlentities($d) . '">' . htmlentities($day_name_length < 4 ? substr($d, 0, $day_name_length) : $d) . '</th>'; $calendar .= '<th abbr="' . htmlentities($d) . '">' . htmlentities($day_name_length < 4 ? substr($d, 0, $day_name_length) : $d) . '</th>';
$calendar .= "</tr>\n<tr>"; $calendar .= "</tr>\n<tr>";
} }
if ($weekday > 0) if ($weekday > 0)
$calendar .= '<td colspan="' . $weekday . '">&nbsp;</td>'; // initial 'empty' days $calendar .= '<td colspan="' . $weekday . '">&nbsp;</td>'; // initial 'empty' days
for($day = 1, $days_in_month = gmdate('t', $first_of_month); $day <= $days_in_month; $day++, $weekday++) { for($day = 1, $days_in_month = gmdate('t', $first_of_month); $day <= $days_in_month; $day++, $weekday++) {
@ -64,49 +64,49 @@ function generate_calendar($year, $month, $days = array(), $day_name_length = 3,
} }
if ($weekday != 7) if ($weekday != 7)
$calendar .= '<td colspan="' . (7 - $weekday) . '">&nbsp;</td>'; // remaining "empty" days $calendar .= '<td colspan="' . (7 - $weekday) . '">&nbsp;</td>'; // remaining "empty" days
return $calendar . "</tr>\n</table>\n"; return $calendar . "</tr>\n</table>\n";
} }
function plugin_calendar_widget() { function plugin_calendar_widget() {
global $fp_params; global $fp_params;
$y = isset($fp_params ['y']) ? $fp_params ['y'] : date('y'); $y = isset($fp_params ['y']) ? $fp_params ['y'] : date('y');
$m = isset($fp_params ['m']) ? $fp_params ['m'] : date('m'); $m = isset($fp_params ['m']) ? $fp_params ['m'] : date('m');
global $fpdb; global $fpdb;
$q = new FPDB_Query(array( $q = new FPDB_Query(array(
'fullparse' => false, 'fullparse' => false,
'y' => $y, 'y' => $y,
'm' => $m, 'm' => $m,
'count' => -1 'count' => -1
), null); ), null);
$days = array(); $days = array();
while ($q->hasmore($queryId)) { while ($q->hasmore($queryId)) {
list ($id, $entry) = $q->getEntry($queryId); list ($id, $entry) = $q->getEntry($queryId);
$date = date_from_id($id); $date = date_from_id($id);
$d = (int) $date ['d']; $d = (int) $date ['d'];
$days [$d] = array( $days [$d] = array(
get_day_link($y, $m, str_pad($d, 2, '0', STR_PAD_LEFT)), get_day_link($y, $m, str_pad($d, 2, '0', STR_PAD_LEFT)),
'linked-day' 'linked-day'
); );
$count++; $count++;
} }
// load plugin strings // load plugin strings
// they're located under plugin.PLUGINNAME/lang/LANGID/ // they're located under plugin.PLUGINNAME/lang/LANGID/
$lang = lang_load('plugin:calendar'); $lang = lang_load('plugin:calendar');
$widget = array(); $widget = array();
$widget ['subject'] = $lang ['plugin'] ['calendar'] ['subject']; $widget ['subject'] = $lang ['plugin'] ['calendar'] ['subject'];
$widget ['content'] = '<ul id="widget_calendar"><li>' . generate_calendar($y, $m, $days) . '</li></ul>'; $widget ['content'] = '<ul id="widget_calendar"><li>' . generate_calendar($y, $m, $days) . '</li></ul>';
return $widget; return $widget;
} }

View File

@ -1,34 +1,32 @@
<?php <?php
/* /*
Plugin Name: Categories * Plugin Name: Categories
Plugin URI: http://www.nowhereland.it/ * Type: Block
Type: Block * Version: 1.0
Description: Lists your categories in a widget. * Plugin URI: https://www.flatpress.org
Author: NoWhereMan * Author: FlatPress
Version: 1.0 * Author URI: https://www.flatpress.org
Author URI: http://www.nowhereland.it/ * Description: Lists your categories in a widget. Part of the standard distribution.
*/ */
function plugin_categories_widget() { function plugin_categories_widget() {
global $smarty; global $smarty;
// set this to true if you want show the number // set this to true if you want show the number
// of categories for each category; please notice: // of categories for each category; please notice:
// not cheap on the server, it should be cached // not cheap on the server, it should be cached
// somewhere else // somewhere else
// default: disabled // default: disabled
$smarty->assign('categories_showcount', false); $smarty->assign('categories_showcount', false);
// load plugin strings // load plugin strings
// they're located under plugin.PLUGINNAME/lang/LANGID/ // they're located under plugin.PLUGINNAME/lang/LANGID/
$lang = lang_load('plugin:categories'); $lang = lang_load('plugin:categories');
$entry['subject'] = $lang['plugin']['categories']['subject']; $entry ['subject'] = $lang ['plugin'] ['categories'] ['subject'];
$entry['content'] = $smarty->fetch('plugin:categories/widget'); $entry ['content'] = $smarty->fetch('plugin:categories/widget');
return $entry; return $entry;
} }

View File

@ -4,9 +4,9 @@
* Plugin Name: Comment Center * Plugin Name: Comment Center
* Version: 1.1.2 * Version: 1.1.2
* Plugin URI: https://www.flatpress.org * Plugin URI: https://www.flatpress.org
* Description: Manage your blog's comments: Set policies, publish or reject comments. * Author: FlatPress
* Author: FlatPress (credits to Piero VDFN)
* Author URI: https://www.flatpress.org * Author URI: https://www.flatpress.org
* Description: Manage your blog's comments: Set policies, publish or reject comments. Part of the standard distribution.
*/ */
/** /**

View File

@ -1,21 +1,20 @@
<?php <?php
/* /*
Plugin Name: FavIcon * Plugin Name: FavIcon
Plugin URI: http://www.flatpress.org/ * Version: 1.0
Description: Adds a favicon to FlatPress * Plugin URI: https://www.flatpress.org
Author: NoWhereMan * Author: FlatPress
Version: 1.0 * Author URI: https://www.flatpress.org
Author URI: http://www.nowhereland.it/ * Description: Adds a favicon to FlatPress. Part of the standard distribution.
*/ */
function plugin_favicon_head() { function plugin_favicon_head() {
// your file *must* be named favicon.ico // your file *must* be named favicon.ico
// and be a ICO file (not a renamed png, jpg, gif, etc...) // and be a ICO file (not a renamed png, jpg, gif, etc...)
// or it won't work in IE // or it won't work in IE
echo '<link rel="shortcut icon" href="' . echo '<link rel="shortcut icon" href="' . plugin_geturl('favicon') . 'imgs/favicon.ico" />';
plugin_geturl('favicon') .'imgs/favicon.ico" />';
} }
add_action('wp_head', 'plugin_favicon_head'); add_action('wp_head', 'plugin_favicon_head');
?> ?>

View File

@ -1,11 +1,11 @@
<?php <?php
/* /*
* Plugin Name: FootNotes * Plugin Name: FootNotes
* Version: 0.1 * Version: 1.0
* Plugin URI: http://flatpress.nowhereland.it * Plugin URI: https://www.flatpress.org
* Description: footnotes in your entry * Author: FlatPress
* Author: NoWhereMan * Author URI: https://www.flatpress.org
* Author URI: http://flatpress.nowhereland.it * Description: Enables footnotes in your entries. Part of the standard distribution.
*/ */
define('FOOTNOTES_START', '[footnotes]'); define('FOOTNOTES_START', '[footnotes]');

View File

@ -1,28 +1,24 @@
<?php <?php
/* /*
Plugin Name: jQuery * Plugin Name: jQuery
Version: 2.0.1 * Version: 2.0.1
Plugin URI: http://www.vdfn.altervista.org/ * Plugin URI: https://www.flatpress.org
Description: Provides <a href="http://jquery.com/" title="jQuery">jQuery</a> locally. * Author: FlatPress
Author: Piero VDFN * Author URI: https://www.flatpress.org
Author URI: http://www.vdfn.altervista.org/ * Description: Provides <a href="http://jquery.com/" title="jQuery">jQuery</a> locally. Part of the standard distribution.
JQuery and JQueryUI version bump by Arvid Zimmermann */
*/
## Original author: NoWhereMan (http://www.nowhereland.it)
// # Original author: NoWhereMan (http://www.nowhereland.it)
add_action('wp_head', 'plugin_jquery_head', 0); add_action('wp_head', 'plugin_jquery_head', 0);
function plugin_jquery_head() { function plugin_jquery_head() {
$pdir = plugin_geturl('jquery');
$pdir=plugin_geturl('jquery');
echo <<<JSUTILS echo <<<JSUTILS
<!-- start of jsUtils --> <!-- start of jsUtils -->
<script type="text/javascript" src="{$pdir}res/jquery/1.10.2/jquery.min.js"></script> <script type="text/javascript" src="{$pdir}res/jquery/1.10.2/jquery.min.js"></script>
<script type="text/javascript" src="{$pdir}res/jqueryui/1.10.3/jquery-ui.min.js"></script> <script type="text/javascript" src="{$pdir}res/jqueryui/1.10.3/jquery-ui.min.js"></script>
<!-- end of jsUtils --> <!-- end of jsUtils -->
JSUTILS; JSUTILS;
} }
?> ?>

View File

@ -1,32 +1,30 @@
<?php <?php
/* /*
Plugin Name: LastComments * Plugin Name: LastComments
Plugin URI: http://www.nowhereland.it/ * Type: Block
Type: Block * Version: 1.0
Description: LastComments plugin. Part of the standard distribution ;) * Plugin URI: https://www.flatpress.org
Author: NoWhereMan * Author: FlatPress
Version: 1.0 * Author URI: https://www.flatpress.org
Author URI: http://www.nowhereland.it/ * Description: Adds a widget that shows the latest comments. Part of the standard distribution.
*/ */
define('LASTCOMMENTS_CACHE_FILE', CACHE_DIR . 'lastcomments.tmp');
define('LASTCOMMENTS_CACHE_FILE', CACHE_DIR . 'lastcomments.tmp');
define('LASTCOMMENTS_MAX', 8); define('LASTCOMMENTS_MAX', 8);
add_action('comment_post', 'plugin_lastcomments_cache', 0, 2); add_action('comment_post', 'plugin_lastcomments_cache', 0, 2);
function plugin_lastcomments_widget() { function plugin_lastcomments_widget() {
if (false === ($f = io_load_file(LASTCOMMENTS_CACHE_FILE))) {
if (false===($f = io_load_file(LASTCOMMENTS_CACHE_FILE))) {
// no comments in cache // no comments in cache
$list = array(); $list = array();
} else { } else {
// if file exists and its correctly read, we get the stored list // if file exists and its correctly read, we get the stored list
// (it is stored in encoded form) // (it is stored in encoded form)
$list = unserialize($f); $list = unserialize($f);
} }
$content = '<ul class="last-comments">'; $content = '<ul class="last-comments">';
// cimangi Aggiunta traduzione stringhe // cimangi Aggiunta traduzione stringhe
// load plugin strings // load plugin strings
@ -36,48 +34,47 @@ function plugin_lastcomments_widget() {
if ($count = count($list)) { if ($count = count($list)) {
while ($arr = array_pop($list)) { while ($arr = array_pop($list)) {
theme_comments_filters($arr, $id); theme_comments_filters($arr, $id);
$q = new FPDB_Query(array(
$q = new FPDB_Query(array('id' => $arr['entry']), null); 'id' => $arr ['entry']
), null);
// first element of the array is dropped, as it is the ID, which // first element of the array is dropped, as it is the ID, which
// we already know // we already know
@list(, $entry) = $q->getEntry($query); @list (, $entry) = $q->getEntry($query);
if (!$entry){ if (!$entry) {
$count--; $count--;
$update = true; $update = true;
continue; continue;
} }
$content .= $content .= "<li>
"<li>
<blockquote class=\"comment-quote\" cite=\"comments.php?entry={$arr['entry']}#{$arr['id']}\"> <blockquote class=\"comment-quote\" cite=\"comments.php?entry={$arr['entry']}#{$arr['id']}\">
{$arr['content']} {$arr['content']}
<p><a href=\"".get_comments_link($arr['entry']). <p><a href=\"" . get_comments_link($arr ['entry']) . "#{$arr['id']}\">{$arr['name']} - {$entry['subject']}</a></p>
"#{$arr['id']}\">{$arr['name']} - {$entry['subject']}</a></p>
</blockquote></li>\n"; </blockquote></li>\n";
} }
$subject = $lang['plugin']['lastcomments']['last'] . ' ' . $count . ' '. $lang['plugin']['lastcomments']['comments']; $subject = $lang ['plugin'] ['lastcomments'] ['last'] . ' ' . $count . ' ' . $lang ['plugin'] ['lastcomments'] ['comments'];
} }
if (!$count) { if (!$count) {
if ($update) if ($update)
fs_delete(LASTCOMMENTS_CACHE_FILE); fs_delete(LASTCOMMENTS_CACHE_FILE);
$content .= '<li>' . $lang['plugin']['lastcomments']['no_comments'] .'</li>'; $content .= '<li>' . $lang ['plugin'] ['lastcomments'] ['no_comments'] . '</li>';
$subject = $lang['plugin']['lastcomments']['no_new_comments']; $subject = $lang ['plugin'] ['lastcomments'] ['no_new_comments'];
} }
$content .= '</ul>'; $content .= '</ul>';
$entry['subject'] = $subject; $entry ['subject'] = $subject;
$entry['content'] = $content; $entry ['content'] = $content;
return $entry; return $entry;
} }
/** /**
* function plugin_lastcomments_cache * function plugin_lastcomments_cache
* *
* comment cache is a reverse queue; we put * comment cache is a reverse queue; we put
* element on the top, and we delete elements * element on the top, and we delete elements
* from bottom; this is because the output * from bottom; this is because the output
@ -85,104 +82,102 @@ function plugin_lastcomments_widget() {
* All this headache stuff just to say that * All this headache stuff just to say that
* in the end the widget will show up elements ordered * in the end the widget will show up elements ordered
* from newer to older :P * from newer to older :P
* *
* @param $entryid string entry id i.e. entryNNNNNN-NNNNNN * @param $entryid string
* @param $comment array where $comment[0] is $commentid i.e. commentNNNNNN-NNNNNN * entry id i.e. entryNNNNNN-NNNNNN
* and $comment[1] is the actual content array * @param $comment array
* where $comment[0] is $commentid i.e. commentNNNNNN-NNNNNN
* and $comment[1] is the actual content array
*/ */
function plugin_lastcomments_cache($entryid, $comment) { function plugin_lastcomments_cache($entryid, $comment) {
// max num of chars per comment // max num of chars per comment
$CHOP_AT = 30; $CHOP_AT = 30;
list($id, $content) = $comment; list ($id, $content) = $comment;
comment_clean($content); comment_clean($content);
if (false === ($f = io_load_file(LASTCOMMENTS_CACHE_FILE))) {
if (false===($f = io_load_file(LASTCOMMENTS_CACHE_FILE))) {
// no comments in cache // no comments in cache
$list = array(); $list = array();
} else { } else {
// if file exists and its correctly read, we get the stored list // if file exists and its correctly read, we get the stored list
// (it is stored in encoded form) // (it is stored in encoded form)
$list = unserialize($f); $list = unserialize($f);
if (count($list)+1 > LASTCOMMENTS_MAX) { if (count($list) + 1 > LASTCOMMENTS_MAX) {
// comments are more than allowed maximum: // comments are more than allowed maximum:
// we delete the last in queue. // we delete the last in queue.
array_shift($list); array_shift($list);
} }
} }
if (strlen($content['content']) > $CHOP_AT) { if (strlen($content ['content']) > $CHOP_AT) {
$string = substr($content['content'], 0, $CHOP_AT) . '...'; $string = substr($content ['content'], 0, $CHOP_AT) . '...';
} else {$string = $content['content'];} } else {
$string = $content ['content'];
array_push($list, array('name'=>$content['name'], }
'content'=>$string,
'id'=> $id, array_push($list, array(
'entry'=> $entryid) 'name' => $content ['name'],
); 'content' => $string,
'id' => $id,
'entry' => $entryid
));
return io_write_file(LASTCOMMENTS_CACHE_FILE, serialize($list)); return io_write_file(LASTCOMMENTS_CACHE_FILE, serialize($list));
} }
register_widget('lastcomments', 'LastComments', 'plugin_lastcomments_widget'); register_widget('lastcomments', 'LastComments', 'plugin_lastcomments_widget');
function plugin_lastcomments_rss () { function plugin_lastcomments_rss() {
global $smarty; global $smarty;
if (false === ($f = io_load_file(LASTCOMMENTS_CACHE_FILE))) {
if (false===($f = io_load_file(LASTCOMMENTS_CACHE_FILE))) {
// no comments in cache // no comments in cache
$list = array(); $list = array();
} else { } else {
// if file exists and its correctly read, we get the stored list // if file exists and its correctly read, we get the stored list
// (it is stored in encoded form) // (it is stored in encoded form)
$list = unserialize($f); $list = unserialize($f);
} }
$newlist = array(); $newlist = array();
foreach($list as $c) { foreach ($list as $c) {
$newlist[] = comment_parse($list['entryid'], $list['id']); $newlist [] = comment_parse($list ['entryid'], $list ['id']);
} }
$smarty->assign('lastcomments_list', $newlist); $smarty->assign('lastcomments_list', $newlist);
} }
/* /*
*
function plugin_lastcomments_def_rss_link() { * function plugin_lastcomments_def_rss_link() {
return BLOG_BASEURL . "?feed=lastcomments-rss2"; * return BLOG_BASEURL . "?feed=lastcomments-rss2";
} * }
*
function plugin_lastcomments_rss_link() { * function plugin_lastcomments_rss_link() {
return apply_filters('plugin_lastcomments_rss_link', ''); * return apply_filters('plugin_lastcomments_rss_link', '');
} * }
*
add_action('wp_head', 'plugin_lastcomments_rsshead'); * add_action('wp_head', 'plugin_lastcomments_rsshead');
function plugin_lastcomments_rsshead() { * function plugin_lastcomments_rsshead() {
echo "\n<link rel=\"alternate\" type=\"application/rss+xml\" title=\"Get RSS 2.0 Feed\" href=\"". * echo "\n<link rel=\"alternate\" type=\"application/rss+xml\" title=\"Get RSS 2.0 Feed\" href=\"".
plugin_lastcomments_rss_link() * plugin_lastcomments_rss_link()
."\" />\n"; * ."\" />\n";
} * }
*
add_action('init', 'plugin_lastcomments_rssinit'); * add_action('init', 'plugin_lastcomments_rssinit');
function plugin_lastcomments_rssinit() { * function plugin_lastcomments_rssinit() {
global $smarty; * global $smarty;
*
if (isset($_GET['feed']) && $_GET['feed']=='lastcomments-rss2') { * if (isset($_GET['feed']) && $_GET['feed']=='lastcomments-rss2') {
$smarty->display('plugin:lastcomments/plugin.lastcomments-feed'); * $smarty->display('plugin:lastcomments/plugin.lastcomments-feed');
exit(); * exit();
} * }
} * }
*
*/ */
?> ?>

View File

@ -1,65 +1,68 @@
<?php <?php
/* /*
Plugin Name: Last Comments Admin * Plugin Name: LastComments Admin
Version: 0.1 * Version: 1.0
Plugin URI: http://kirgroup.com/blog/ * Plugin URI: https://www.flatpress.org
Description: Manage last comments cache. Require LastComment plugin. * Author: FlatPress
Author: Fabrixxm * Author URI: https://www.flatpress.org
Author URI: http://kirgroup.com/blog/ * Description: Manage the cache of the LastComments plugin. Requires LastComment plugin enabled. Part of the standard distribution.
*/ */
if (class_exists('AdminPanelAction')) {
class admin_plugin_lastcommentsadmin extends AdminPanelAction {
if (class_exists('AdminPanelAction')){
class admin_plugin_lastcommentsadmin extends AdminPanelAction {
var $langres = 'plugin:lastcommentsadmin'; var $langres = 'plugin:lastcommentsadmin';
function setup() { function setup() {
$this->smarty->assign('admin_resource', "plugin:lastcommentsadmin/admin.plugin.lastcommentsadmin"); $this->smarty->assign('admin_resource', "plugin:lastcommentsadmin/admin.plugin.lastcommentsadmin");
} }
function main() { function main() {
if (!function_exists('plugin_lastcomments_cache')){ if (!function_exists('plugin_lastcomments_cache')) {
$this->smarty->assign('success', -2); $this->smarty->assign('success', -2);
} }
} }
function onsubmit($data = NULL) { function onsubmit($data = NULL) {
global $fp_config; global $fp_config;
if (isset($_POST['lastcommentadmin_clear'])){ if (isset($_POST ['lastcommentadmin_clear'])) {
fs_delete(LASTCOMMENTS_CACHE_FILE); fs_delete(LASTCOMMENTS_CACHE_FILE);
$this->smarty->assign('success', 1); $this->smarty->assign('success', 1);
} }
if (isset($_POST['lastcommentadmin_rebuild'])){ if (isset($_POST ['lastcommentadmin_rebuild'])) {
fs_delete(LASTCOMMENTS_CACHE_FILE); fs_delete(LASTCOMMENTS_CACHE_FILE);
$coms = Array(); $coms = Array();
$q = new FPDB_Query(array('fullparse'=>false,'start'=>0,'count'=>-1), null); $q = new FPDB_Query(array(
'fullparse' => false,
'start' => 0,
'count' => -1
), null);
while ($q->hasmore()) { while ($q->hasmore()) {
list($id,$e) = $q->getEntry(); list ($id, $e) = $q->getEntry();
$obj = new comment_indexer($id); $obj = new comment_indexer($id);
foreach($obj->getList() as $value){ foreach ($obj->getList() as $value) {
$coms[$value]=$id; $coms [$value] = $id;
} }
ksort($coms); ksort($coms);
$coms = array_slice($coms, -LASTCOMMENTS_MAX ); $coms = array_slice($coms, -LASTCOMMENTS_MAX);
} }
foreach($coms as $cid=>$eid){ foreach ($coms as $cid => $eid) {
$c = comment_parse($eid, $cid); $c = comment_parse($eid, $cid);
plugin_lastcomments_cache($eid, array($cid, $c)); plugin_lastcomments_cache($eid, array(
$cid,
$c
));
} }
$this->smarty->assign('success', 2); $this->smarty->assign('success', 2);
} }
return 2; return 2;
} }
} }
admin_addpanelaction('plugin', 'lastcommentsadmin', true); admin_addpanelaction('plugin', 'lastcommentsadmin', true);
} }

View File

@ -1,65 +1,68 @@
<?php <?php
/*
Plugin Name: LastEntries
Plugin URI: http://www.nowhereland.it/
Type: Block
Description: LastEntries plugin. Part of the standard distribution ;)
Author: NoWhereMan
Version: 1.0
Author URI: http://www.nowhereland.it/
*/
/*
* Plugin Name: LastEntries
* Version: 1.0
* Type: Block
* Plugin URI: https://www.flatpress.org
* Author: FlatPress
* Author URI: https://www.flatpress.org
* Description: Adds a widget that lists the latest entries. Part of the standard distribution.
*/
function plugin_lastentries_widget() { function plugin_lastentries_widget() {
global $fpdb; global $fpdb;
// load plugin strings // load plugin strings
// they're located under plugin.PLUGINNAME/lang/LANGID/ // they're located under plugin.PLUGINNAME/lang/LANGID/
$lang = lang_load('plugin:lastentries'); $lang = lang_load('plugin:lastentries');
$num = 10; $num = 10;
#################### // ###################
/* /*
$queryId = $fpdb->query("fullparse:false,start:0,count:$num"); * $queryId = $fpdb->query("fullparse:false,start:0,count:$num");
$fpdb->doquery($queryId); * $fpdb->doquery($queryId);
*
$fpdb->getQuery * $fpdb->getQuery
*/ */
$q = new FPDB_Query(array('fullparse'=>false,'start'=>0,'count'=>$num), null); $q = new FPDB_Query(array(
'fullparse' => false,
'start' => 0,
'count' => $num
), null);
$string = '<ul>'; $string = '<ul>';
$count = 0; $count = 0;
while ($q->hasmore()) { while ($q->hasmore()) {
list($id, $entry) = $q->getEntry(); list ($id, $entry) = $q->getEntry();
$link = get_permalink($id); $link = get_permalink($id);
$string .='<li>'; $string .= '<li>';
$admin = BLOG_BASEURL . "admin.php?p=entry&amp;entry="; $admin = BLOG_BASEURL . "admin.php?p=entry&amp;entry=";
if (user_loggedin()) // if loggedin prints a "edit" link if (user_loggedin()) // if loggedin prints a "edit" link
$string .= "<a href=\"{$admin}{$id}\">[".$lang['plugin']['lastentries']['edit']."]</a>"; $string .= "<a href=\"{$admin}{$id}\">[" . $lang ['plugin'] ['lastentries'] ['edit'] . "]</a>";
$string .= "<a href=\"{$link}\">{$entry['subject']}</a></li>\n"; $string .= "<a href=\"{$link}\">{$entry['subject']}</a></li>\n";
$count++; $count++;
} }
if ($string == '<ul>'){ if ($string == '<ul>') {
$string .= '<li><a href="admin.php?p=entry&amp;action=write">'.$lang['plugin']['lastentries']['add_entry'].'</a></li>'; $string .= '<li><a href="admin.php?p=entry&amp;action=write">' . $lang ['plugin'] ['lastentries'] ['add_entry'] . '</a></li>';
$subject = $lang['plugin']['lastentries']['no_entries']; $subject = $lang ['plugin'] ['lastentries'] ['no_entries'];
} else $subject = $lang['plugin']['lastentries']['subject_before_count'] . $count . $lang['plugin']['lastentries']['subject_after_count']; } else
$subject = $lang ['plugin'] ['lastentries'] ['subject_before_count'] . $count . $lang ['plugin'] ['lastentries'] ['subject_after_count'];
$string .= '</ul>'; $string .= '</ul>';
$widget = array(); $widget = array();
$widget['subject'] = $subject; $widget ['subject'] = $subject;
$widget['content'] = $string; $widget ['content'] = $string;
return $widget; return $widget;
} }

View File

@ -1,47 +1,45 @@
<?php <?php
/*
Plugin Name: LightBox2
Version: 2.0
Plugin URI: http://www.vdfn.altervista.org/
Description: Lightbox overlays using <a href="http://www.digitalia.be/software/slimbox2">SlimBox 2</a> requires <a href="http://jquery.com" title="jQuery">jQuery</a> (modified jsutils plugin)
Author: Piero VDFN
Author URI: http://www.vdfn.altervista.org/
*/
## Original author: NoWhereMan (http://www.nowhereland.it) /*
* Plugin Name: LightBox2
* Version: 2.0
* Plugin URI: https://www.flatpress.org
* Author: FlatPress
* Author URI: https://www.flatpress.org
* Description: Lightbox overlays using <a href="http://www.digitalia.be/software/slimbox2">SlimBox 2</a> requires <a href="http://jquery.com" title="jQuery">jQuery</a> (modified jsutils plugin). Part of the standard distribution.
*/
// # Original author: NoWhereMan (http://www.nowhereland.it)
// if PLUGINS_DIR is not fp-plugins please edit res/lightbox.js // if PLUGINS_DIR is not fp-plugins please edit res/lightbox.js
function plugin_lightbox2_setup() { function plugin_lightbox2_setup() {
return function_exists('plugin_jquery_head')? 1:-1; return function_exists('plugin_jquery_head') ? 1 : -1;
} }
function plugin_lightbox2_head() { function plugin_lightbox2_head() {
$pdir = plugin_geturl('lightbox2');
$pdir=plugin_geturl('lightbox2');
echo <<<LBOXHEAD echo <<<LBOXHEAD
<!-- start of lightbox --> <!-- start of lightbox -->
<link rel="stylesheet" type="text/css" href="{$pdir}res/slimbox2.css" /> <link rel="stylesheet" type="text/css" href="{$pdir}res/slimbox2.css" />
<!-- end of lightbox --> <!-- end of lightbox -->
LBOXHEAD; LBOXHEAD;
} }
add_action('wp_head', 'plugin_lightbox2_head'); add_action('wp_head', 'plugin_lightbox2_head');
function plugin_lightbox2_footer() { function plugin_lightbox2_footer() {
$pdir = plugin_geturl('lightbox2');
$pdir=plugin_geturl('lightbox2');
echo <<<LBOXHEAD echo <<<LBOXHEAD
<!-- start of lightbox --> <!-- start of lightbox -->
<script type="text/javascript" src="{$pdir}res/slimbox2.js"></script> <script type="text/javascript" src="{$pdir}res/slimbox2.js"></script>
<!-- end of lightbox --> <!-- end of lightbox -->
LBOXHEAD; LBOXHEAD;
} }
add_action('wp_footer', 'plugin_lightbox2_footer'); add_action('wp_footer', 'plugin_lightbox2_footer');
function plugin_lightbox2_hook($popup, $abspath) { function plugin_lightbox2_hook($popup, $abspath) {
global $lightbox_rel; global $lightbox_rel;
// the other $popup is just dropped // the other $popup is just dropped
return $lightbox_rel? "rel=\"lightbox[$lightbox_rel]\"" : ' rel="lightbox"'; return $lightbox_rel ? "rel=\"lightbox[$lightbox_rel]\"" : ' rel="lightbox"';
} }
add_action('bbcode_img_popup', 'plugin_lightbox2_hook', 5, 2); add_action('bbcode_img_popup', 'plugin_lightbox2_hook', 5, 2);

View File

@ -1,60 +1,55 @@
<?php <?php
/* /*
Plugin Name: Media Manager * Plugin Name: Media Manager
Version: 0.4 * Version: 1.0
Plugin URI: http://kirgroup.com/blog/ * Plugin URI: https://www.flatpress.org
Description: Manage uloaded files ad photo galleries * Author: FlatPress
Author: Fabrix.xm * Author URI: https://www.flatpress.org
Author URI: http://kirgroup.com/fabrixxm/ * Description: Manage uploaded files and photo galleries. Part of the standard distribution.
*/ */
// config // config
define('ITEMSPERPAGE', 10); define('ITEMSPERPAGE', 10);
// //
function mediamanager_updateUseCountArr(&$files,$fupd){ function mediamanager_updateUseCountArr(&$files, $fupd) {
$params = array(); $params = array();
$params['start']=0; $params ['start'] = 0;
$params['count']=-1; $params ['count'] = -1;
$params['fullparse'] = true; $params ['fullparse'] = true;
$q = new FPDB_Query($params, null); $q = new FPDB_Query($params, null);
while ($q->hasMore()) { while ($q->hasMore()) {
list($id, $e) = $q->getEntry(); list ($id, $e) = $q->getEntry();
if (isset($e['content'])){ if (isset($e ['content'])) {
foreach($fupd as $id){ foreach ($fupd as $id) {
if (is_null($files[$id]['usecount'])) $files[$id]['usecount']=0; if (is_null($files [$id] ['usecount']))
if ($files[$id]['type']=='gallery'){ $files [$id] ['usecount'] = 0;
$searchterm="[gallery=images/".$files[$id]['name']; if ($files [$id] ['type'] == 'gallery') {
$searchterm = "[gallery=images/" . $files [$id] ['name'];
} else { } else {
$searchterm=$files[$id]['type']."/".$files[$id]['name']; $searchterm = $files [$id] ['type'] . "/" . $files [$id] ['name'];
} }
if (strpos($e['content'], $searchterm) !== false) $files[$id]['usecount']++; if (strpos($e ['content'], $searchterm) !== false)
$files [$id] ['usecount']++;
} }
} }
} }
$usecount=array(); $usecount = array();
foreach($files as $info){ foreach ($files as $info) {
$usecount[$info['name']]=$info['usecount']; $usecount [$info ['name']] = $info ['usecount'];
} }
plugin_addoption('mediamanager', 'usecount', $usecount); plugin_addoption('mediamanager', 'usecount', $usecount);
plugin_saveoptions('mediamanager'); plugin_saveoptions('mediamanager');
} }
if (class_exists('AdminPanelAction')) {
if (class_exists('AdminPanelAction')){ include (plugin_getdir('mediamanager') . '/panels/panel.mediamanager.file.php');
include(plugin_getdir('mediamanager') .'/panels/panel.mediamanager.file.php');
} }
/* invalidate count on entry save and delete */ /* invalidate count on entry save and delete */
function mediamanager_invalidatecount($arg){ function mediamanager_invalidatecount($arg) {
plugin_addoption('mediamanager', 'usecount', array()); plugin_addoption('mediamanager', 'usecount', array());
plugin_saveoptions('mediamanager'); plugin_saveoptions('mediamanager');
return $arg; return $arg;
@ -62,5 +57,4 @@ function mediamanager_invalidatecount($arg){
add_filter('delete_post', 'mediamanager_invalidatecount', 1); add_filter('delete_post', 'mediamanager_invalidatecount', 1);
add_filter('content_save_pre', 'mediamanager_invalidatecount', 1); add_filter('content_save_pre', 'mediamanager_invalidatecount', 1);
?> ?>

View File

@ -1,25 +1,24 @@
<?php <?php
/* /*
Plugin Name: PostViews * Plugin Name: PostViews
Plugin URI: http://www.nowhereland.it/ * Version: 1.0
Description: PostViews plugin. * Plugin URI: https://www.flatpress.org
Author: NoWhereMan * Author: FlatPress
Version: 1.0 * Author URI: https://www.flatpress.org
Author URI: http://www.nowhereland.it/ * Description: Counts and displays entry views. Part of the standard distribution.
*/ */
add_action('entry_block', 'plugin_postviews_do'); add_action('entry_block', 'plugin_postviews_do');
function plugin_postviews_calc($id, $calc) { function plugin_postviews_calc($id, $calc) {
$dir = entry_dir($id); $dir = entry_dir($id);
if (!$dir) return; if (!$dir)
return;
$f = $dir . '/view_counter' .EXT;
$f = $dir . '/view_counter' . EXT;
$v = io_load_file($f); $v = io_load_file($f);
if ($v===false){ if ($v === false) {
$v = 0; $v = 0;
} elseif ($v < 0) { } elseif ($v < 0) {
// file was locked. Do not increase views. // file was locked. Do not increase views.
@ -28,28 +27,24 @@ function plugin_postviews_calc($id, $calc) {
$v = 0; $v = 0;
$calc = false; $calc = false;
} }
if ($calc && !user_loggedin()) { if ($calc && !user_loggedin()) {
$v++; $v++;
io_write_file($f, $v); io_write_file($f, $v);
} }
return $v; return $v;
} }
function plugin_postviews_do($id) { function plugin_postviews_do($id) {
global $fpdb, $smarty; global $fpdb, $smarty;
$q = $fpdb->getQuery(); $q = $fpdb->getQuery();
$calc = $q->single; $calc = $q->single;
$v = plugin_postviews_calc($id, $calc);
$smarty->assign('views', $v);
$v = plugin_postviews_calc($id, $calc);
$smarty->assign('views', $v);
} }
?> ?>

File diff suppressed because it is too large Load Diff

View File

@ -1,20 +1,23 @@
<?php <?php
/* /*
Plugin Name: QuickSpamFilter * Plugin Name: QuickSpamFilter
Plugin URI: http://flatpress.nowherland.it/ * Version: 3.5.1
Description: Quick ban words (edit the plugin to add more to the list) * Plugin URI: https://www.flatpress.org
Author: NoWhereMan * Author: FlatPress
Version: 3.5.1 * Author URI: https://www.flatpress.org
Author URI: http://www.nowhereland.it * Description: Block comments by "bad" words. Part of the standard distribution.
*/ */
/** /**
* This plugin denies comments when they're containing "bad words", * This plugin denies comments when they're containing "bad words",
* e.g. "href" (which indexes links)., etc. * e.g.
* "href" (which indexes links)., etc.
* *
* @global $smarty * @global $smarty
* @param boolean $bool * @param boolean $bool
* @param string $contents The comment * @param string $contents
* The comment
* @return unknown * @return unknown
*/ */
function plugin_qspam_validate($bool, $contents) { function plugin_qspam_validate($bool, $contents) {
@ -24,88 +27,89 @@ function plugin_qspam_validate($bool, $contents) {
$qscfg = plugin_getoptions('qspam'); $qscfg = plugin_getoptions('qspam');
// We're looking for these words: // We're looking for these words:
$BAN_WORDS = ''; $BAN_WORDS = '';
if (isset($qscfg['wordlist'])) { if (isset($qscfg ['wordlist'])) {
$BAN_WORDS = $qscfg['wordlist']; $BAN_WORDS = $qscfg ['wordlist'];
} else { } else {
// rudimentary ban of links // rudimentary ban of links
$BAN_WORDS = array('href', '[url'); $BAN_WORDS = array(
'href',
'[url'
);
} }
$qscfg['number'] = isset($qscfg['number']) $qscfg ['number'] = isset($qscfg ['number']) ? $qscfg ['number'] : 1;
? $qscfg['number'] $txt = strtolower(trim($contents ['content']));
: 1;
$txt = strtolower(trim($contents['content']));
$count = 0; $count = 0;
while ($w = array_pop($BAN_WORDS)) { while ($w = array_pop($BAN_WORDS)) {
$count += substr_count($txt, strtolower($w)); $count += substr_count($txt, strtolower($w));
} }
if ($count >= $qscfg['number']) { if ($count >= $qscfg ['number']) {
global $smarty; global $smarty;
$lang = lang_load('plugin:qspam'); $lang = lang_load('plugin:qspam');
$smarty->assign('error', array($lang['plugin']['qspam']['error'])); $smarty->assign('error', array(
$lang ['plugin'] ['qspam'] ['error']
));
return false; return false;
} }
return true; return true;
} }
add_action('comment_validate', 'plugin_qspam_validate', 5, 2); add_action('comment_validate', 'plugin_qspam_validate', 5, 2);
if (class_exists('AdminPanelAction')){ if (class_exists('AdminPanelAction')) {
/** /**
* Provides an admin panel entry for QuickSpam setup. * Provides an admin panel entry for QuickSpam setup.
*/ */
class admin_plugin_qspam extends AdminPanelAction { class admin_plugin_qspam extends AdminPanelAction {
var $langres = 'plugin:qspam'; var $langres = 'plugin:qspam';
/** /**
* Initializes this panel. * Initializes this panel.
*/ */
function setup() { function setup() {
$this->smarty->assign('admin_resource', "plugin:qspam/admin.plugin.qspam"); $this->smarty->assign('admin_resource', "plugin:qspam/admin.plugin.qspam");
} }
/** /**
* Setups the default panel. * Setups the default panel.
*/ */
function main() { function main() {
$qscfg = plugin_getoptions('qspam'); $qscfg = plugin_getoptions('qspam');
$qscfg['wordlist'] = isset($qscfg['wordlist']) && is_array($qscfg['wordlist']) $qscfg ['wordlist'] = isset($qscfg ['wordlist']) && is_array($qscfg ['wordlist']) ? implode("\n", $qscfg ['wordlist']) : '';
? implode("\n", $qscfg['wordlist']) $qscfg ['number'] = isset($qscfg ['number']) ? $qscfg ['number'] : 1;
: '';
$qscfg['number'] = isset($qscfg['number'])
? $qscfg['number']
: 1;
$this->smarty->assign('qscfg', $qscfg); $this->smarty->assign('qscfg', $qscfg);
} }
/** /**
* Will be executed when the QSF configuration is send. * Will be executed when the QSF configuration is send.
* *
* @return int * @return int
*/ */
function onsubmit($data = null) { function onsubmit($data = null) {
if ($_POST['qs-wordlist']){ if ($_POST ['qs-wordlist']) {
$wordlist = isset($_POST['qs-wordlist']) $wordlist = isset($_POST ['qs-wordlist']) ? stripslashes($_POST ['qs-wordlist']) : '';
? stripslashes($_POST['qs-wordlist'])
: '';
$wordlist = str_replace("\r", "\n", $wordlist); $wordlist = str_replace("\r", "\n", $wordlist);
// DMKE: Works neither recursive correct nor in a loop... *grrr* // DMKE: Works neither recursive correct nor in a loop... *grrr*
#$wordlist = str_replace("\n\n", "\n", $wordlist); // $wordlist = str_replace("\n\n", "\n", $wordlist);
$wordlist = explode("\n", $wordlist); $wordlist = explode("\n", $wordlist);
$wordlist = array_filter($wordlist, array($this, '_array_filter')); $wordlist = array_filter($wordlist, array(
$number = isset($_POST['qs-number']) && is_numeric($_POST['qs-number']) $this,
? (int)$_POST['qs-number'] '_array_filter'
: 1; ));
$number = isset($_POST ['qs-number']) && is_numeric($_POST ['qs-number']) ? (int) $_POST ['qs-number'] : 1;
plugin_addoption('qspam', 'wordlist', $wordlist); plugin_addoption('qspam', 'wordlist', $wordlist);
plugin_addoption('qspam', 'number', $number); plugin_addoption('qspam', 'number', $number);
plugin_saveoptions('qspam'); plugin_saveoptions('qspam');
$this->smarty->assign('success', 1); $this->smarty->assign('success', 1);
} else { } else {
$this->smarty->assign('success', -1); $this->smarty->assign('success', -1);
} }
return 2; return 2;
} }
/** /**
* Array filter callback function. Culls empty array values. * Array filter callback function.
* Culls empty array values.
* Life is hell ._. * Life is hell ._.
* *
* @param string $str * @param string $str
@ -114,6 +118,7 @@ if (class_exists('AdminPanelAction')){
function _array_filter($str) { function _array_filter($str) {
return strlen(trim($str)) > 0; return strlen(trim($str)) > 0;
} }
} }
admin_addpanelaction('plugin', 'qspam', true); admin_addpanelaction('plugin', 'qspam', true);
} }

View File

@ -2,11 +2,11 @@
/* /*
* Plugin Name: ReadMore * Plugin Name: ReadMore
* Plugin URI: http://www.nowhereland.it/ * Version: 1.0
* Description: ReadMore plugin. Chops a lengthy entry and appends a "read more" link :) * Plugin URI: https://www.flatpress.org
* Author: NoWhereMan * Author: FlatPress
* Version: 0.703 * Author URI: https://www.flatpress.org
* Author URI: http://www.nowhereland.it/ * Description: Chops lengthy entries in the overview and appends a "read more" link. Part of the standard distribution.
*/ */
// $MODE specifies when you want to chop your entry // $MODE specifies when you want to chop your entry

View File

@ -2,10 +2,10 @@
/* /*
* Plugin Name: SearchBox * Plugin Name: SearchBox
* Version: 1.0 * Version: 1.0
* Plugin URI: http://flatpress.sf.net * Plugin URI: https://www.flatpress.org
* Description: SearchBox which interfaces with standard search function * Author: FlatPress
* Author: NoWhereMan * Author URI: https://www.flatpress.org
* Author URI: http://flatpress.sf.net * Description: Adds a search box widget. Part of the standard distribution.
*/ */
define('SEARCHBOX_BIG', false); define('SEARCHBOX_BIG', false);

View File

@ -1,28 +1,24 @@
<?php <?php
/* /*
Plugin Name: Thumbnails * Plugin Name: Thumbnails
Plugin URI: http://www.nowhereland.it/ * Version: 1.0
Description: Thumbnail plugin. Part of the standard distribution ;) If this is loaded scale parameter of images will create a scaled version of your img * Plugin URI: https://www.flatpress.org
Author: NoWhereMan real_nowhereman at user dot sf dot net * Author: FlatPress
Version: 1.0 * Author URI: https://www.flatpress.org
Author URI: http://www.nowhereland.it/ * Description: Creates thumbnails for scaled images. Part of the standard distribution.
*/ */
define('THUMB_DIR', '.thumbs'); define('THUMB_DIR', '.thumbs');
if (!function_exists('imagegd2')) {
if (!function_exists('imagegd2')) define('PLUGIN_THUMB_ENABLED', false);
{ define('PLUGIN_THUMB_ENABLED', false); } } else {
else { define('PLUGIN_THUMB_ENABLED', true); } define('PLUGIN_THUMB_ENABLED', true);
function plugin_thumb_setup() {
return PLUGIN_THUMB_ENABLED? 1 : -1;
} }
function plugin_thumb_setup() {
return PLUGIN_THUMB_ENABLED ? 1 : -1;
}
/** /**
* *
@ -30,21 +26,21 @@ function plugin_thumb_setup() {
* *
* creates a thumbnail and caches the thumbnail in IMAGES_DIR/.thumb * creates a thumbnail and caches the thumbnail in IMAGES_DIR/.thumb
* *
* @param string $fpath string with filepath * @param string $fpath
* @param array $infos infos from getimagesize($fpath) function * string with filepath
* @param array $infos
* infos from getimagesize($fpath) function
* @param int $new_width * @param int $new_width
* @param int $new_height * @param int $new_height
* *
* @return array array(string $thumbpath, int $thumbwidth, int $thumbheight) * @return array array(string $thumbpath, int $thumbwidth, int $thumbheight)
* *
*/ */
function plugin_thumb_create($fpath, $infos, $new_width, $new_height) { function plugin_thumb_create($fpath, $infos, $new_width, $new_height) {
if (!defined('PLUGIN_THUMB_ENABLED')) { if (!defined('PLUGIN_THUMB_ENABLED')) {
return array(); return array();
} }
if (!file_exists($fpath)) { if (!file_exists($fpath)) {
return array(); return array();
} }
@ -53,38 +49,42 @@ function plugin_thumb_create($fpath, $infos, $new_width, $new_height) {
trigger_error("Size can't be 0 but got width=$new_width height=$new_height\n", E_USER_WARNING); trigger_error("Size can't be 0 but got width=$new_width height=$new_height\n", E_USER_WARNING);
return; return;
} }
$thumbname = basename($fpath);
$thumbdir = dirname($fpath) . '/' . THUMB_DIR ;
$thumbpath = $thumbdir .'/'. $thumbname;
$thumbname = basename($fpath);
$thumbdir = dirname($fpath) . '/' . THUMB_DIR;
$thumbpath = $thumbdir . '/' . $thumbname;
if (file_exists($thumbpath)) { if (file_exists($thumbpath)) {
$oldthumbinfo = getimagesize($thumbpath); $oldthumbinfo = getimagesize($thumbpath);
if ($new_width==$oldthumbinfo[0]) { if ($new_width == $oldthumbinfo [0]) {
// already scaled // already scaled
return array($thumbpath, $new_width, $new_height); return array(
$thumbpath,
$new_width,
$new_height
);
} }
} }
@fs_mkdir($thumbdir); @fs_mkdir($thumbdir);
// we support only jpeg's, png's and gif's // we support only jpeg's, png's and gif's
switch($infos[2]) { switch ($infos [2]) {
case 1: $image = imagecreatefromgif($fpath); break; case 1:
case 2: $image = imagecreatefromjpeg ($fpath); break; $image = imagecreatefromgif($fpath);
case 3: $image = imagecreatefrompng($fpath); break;
case 2:
$image = imagecreatefromjpeg($fpath);
break;
case 3:
$image = imagecreatefrompng($fpath);
} }
// $image = imagecreatefromgd2 ($fpath);
//$image = imagecreatefromgd2 ($fpath);
// create empty scaled and copy(resized) the picture // create empty scaled and copy(resized) the picture
$scaled = imagecreatetruecolor($new_width, $new_height); $scaled = imagecreatetruecolor($new_width, $new_height);
/* /*
* If gif or png preserve the alpha channel * If gif or png preserve the alpha channel
@ -92,35 +92,37 @@ function plugin_thumb_create($fpath, $infos, $new_width, $new_height) {
* Added by Piero VDFN * Added by Piero VDFN
* Kudos to http://www.php.net/manual/en/function.imagecopyresampled.php#104028 * Kudos to http://www.php.net/manual/en/function.imagecopyresampled.php#104028
*/ */
if($infos[2]==1 || $infos[2]==3) { if ($infos [2] == 1 || $infos [2] == 3) {
imagecolortransparent($scaled, imagecolorallocatealpha($scaled, 0, 0, 0, 127)); imagecolortransparent($scaled, imagecolorallocatealpha($scaled, 0, 0, 0, 127));
imagealphablending($scaled, false); imagealphablending($scaled, false);
imagesavealpha($scaled, true); imagesavealpha($scaled, true);
$output=$infos[2]==3 ? 'png' : 'gif'; $output = $infos [2] == 3 ? 'png' : 'gif';
} else { } else {
$output='jpg'; $output = 'jpg';
} }
imagecopyresampled($scaled, $image, 0, 0, 0, 0, $new_width, $new_height, $infos[0], $infos[1]); imagecopyresampled($scaled, $image, 0, 0, 0, 0, $new_width, $new_height, $infos [0], $infos [1]);
if($output=='png') { if ($output == 'png') {
imagepng($scaled, $thumbpath); imagepng($scaled, $thumbpath);
} elseif($output=='gif') { } elseif ($output == 'gif') {
imagegif($scaled, $thumbpath); imagegif($scaled, $thumbpath);
} else { } else {
imagejpeg($scaled, $thumbpath); imagejpeg($scaled, $thumbpath);
} }
@chmod($thumbpath, FILE_PERMISSIONS); @chmod($thumbpath, FILE_PERMISSIONS);
return array($thumbpath, $new_width, $new_height); return array(
$thumbpath,
$new_width,
$new_height
);
} }
function plugin_thumb_bbcodehook($actualpath, $props, $newsize){ function plugin_thumb_bbcodehook($actualpath, $props, $newsize) {
list($width, $height) = $newsize; list ($width, $height) = $newsize;
if ($thumb = plugin_thumb_create($actualpath, $props, $width, $height)) if ($thumb = plugin_thumb_create($actualpath, $props, $width, $height))
$thumb = BBCODE_USE_WRAPPER? $thumb = BBCODE_USE_WRAPPER ? ("getfile.php?f=" . basename($actualpath) . '&amp;thumb=true') : $thumb [0];
("getfile.php?f=" . basename($actualpath) .'&amp;thumb=true') : $thumb[0];
return $thumb; return $thumb;
} }