Patch multiday thoughts
This commit is contained in:
430
inc/auth.php
430
inc/auth.php
@@ -1,216 +1,214 @@
|
||||
<?php
|
||||
|
||||
class Auth extends PhpObject
|
||||
{
|
||||
const ALGO = PASSWORD_DEFAULT;
|
||||
const COST = 12;
|
||||
const TOKEN_SEP = '|';
|
||||
const USER_COOKIE_PASS = 'checksum';
|
||||
const DEFAULT_ERROR = 'Unknown error';
|
||||
|
||||
/**
|
||||
* Database Connection
|
||||
* @var Db
|
||||
*/
|
||||
private $oDb;
|
||||
private $iUserId;
|
||||
private $sApiKey;
|
||||
|
||||
public function __construct($oDb, $sApiKey='', $bAutoLogin=true)
|
||||
{
|
||||
parent::__construct(__CLASS__, Settings::DEBUG);
|
||||
$this->oDb = $oDb;
|
||||
$this->setUserId(0);
|
||||
$this->sApiKey = $sApiKey;
|
||||
if($bAutoLogin) $this->autoLogIn();
|
||||
}
|
||||
|
||||
private function setUserId($iUserId)
|
||||
{
|
||||
$this->iUserId = $iUserId;
|
||||
}
|
||||
|
||||
public function getUserId()
|
||||
{
|
||||
return $this->iUserId;
|
||||
}
|
||||
|
||||
public function isLoggedIn()
|
||||
{
|
||||
return ($this->getUserId() > 0);
|
||||
}
|
||||
|
||||
public function logMeIn($sToken)
|
||||
{
|
||||
$sDesc = '';
|
||||
$asUser = $this->getUserFromToken($sToken);
|
||||
if($asUser['success'])
|
||||
{
|
||||
if(self::checkPassword($asUser['http_pass'], $asUser['pass']))
|
||||
{
|
||||
$this->setUserId($asUser[Db::getId(MyThoughts::USER_TABLE)]);
|
||||
$this->resetAuthCookie($this->getUserId());
|
||||
}
|
||||
else $sDesc = 'wrong password';
|
||||
}
|
||||
else $sDesc = $asUser['desc'];
|
||||
|
||||
return array('success'=>$this->isLoggedIn(), 'desc'=>$sDesc);
|
||||
}
|
||||
|
||||
public function register($sToken, $sNickName, $bLogMeIn=false)
|
||||
{
|
||||
$bSuccess = false;
|
||||
$sDesc = self::DEFAULT_ERROR;
|
||||
$asUser = $this->getUserFromToken($sToken);
|
||||
|
||||
if(array_key_exists('unknown_user', $asUser))
|
||||
{
|
||||
$iUserId = $this->addUser($asUser['username'], $sNickName, $asUser['http_pass'], $bLogMeIn);
|
||||
if($iUserId > 0) $bSuccess = true;
|
||||
else $sDesc = 'Error: Could not add user';
|
||||
}
|
||||
else $sDesc = 'Someone is already using this nickname, sorry!';
|
||||
|
||||
$asResult = array('success'=>$bSuccess, 'desc'=>$sDesc);
|
||||
return $asResult;
|
||||
}
|
||||
|
||||
private function getUserFromToken($sToken)
|
||||
{
|
||||
$asResult = array();
|
||||
$bSuccess = false;
|
||||
$sDesc = self::DEFAULT_ERROR;
|
||||
|
||||
if($sToken!='')
|
||||
{
|
||||
$asResult['username'] = addslashes(strstr($sToken, self::TOKEN_SEP, true));
|
||||
$asResult['http_pass'] = substr(strstr($sToken, self::TOKEN_SEP), strlen(self::TOKEN_SEP));
|
||||
|
||||
if($asResult['username']!='' && $asResult['http_pass']!='')
|
||||
{
|
||||
$asUser = $this->oDb->selectRow(MyThoughts::USER_TABLE, array(Db::getText(MyThoughts::USER_TABLE)=>$asResult['username']));
|
||||
if(!empty($asUser))
|
||||
{
|
||||
$asResult += $asUser;
|
||||
$bSuccess = true;
|
||||
}
|
||||
else
|
||||
{
|
||||
$asResult['unknown_user'] = true;
|
||||
$sDesc = 'unknown nickname';
|
||||
}
|
||||
}
|
||||
else $sDesc = 'corrupted token, please login again';
|
||||
}
|
||||
else $sDesc = 'no credentials has been received by the server';
|
||||
|
||||
$asResult['success'] = $bSuccess;
|
||||
$asResult['desc'] = $sDesc;
|
||||
return $asResult;
|
||||
}
|
||||
|
||||
public function autoLogIn()
|
||||
{
|
||||
if(isset($_COOKIE[self::USER_COOKIE_PASS]))
|
||||
{
|
||||
$sCookie = $_COOKIE[self::USER_COOKIE_PASS];
|
||||
$iUserId = addslashes(strstr($sCookie, self::TOKEN_SEP, true));
|
||||
$sCookie = substr(strstr($sCookie, self::TOKEN_SEP), strlen(self::TOKEN_SEP));
|
||||
|
||||
$asEmpl = $this->oDb->selectRow(MyThoughts::USER_TABLE, array(Db::getId(MyThoughts::USER_TABLE)=>$iUserId));
|
||||
if(!empty($asEmpl))
|
||||
{
|
||||
if($sCookie==$asEmpl['cookie'])
|
||||
{
|
||||
$this->setUserId($asEmpl[Db::getId(MyThoughts::USER_TABLE)]);
|
||||
|
||||
//Reset pass once a day
|
||||
if(mb_substr($asEmpl['led'], 0, 10) != date('Y-m-d')) $this->resetAuthCookie($this->getUserId());
|
||||
}
|
||||
else $this->addError('token corrompu pour le user '.$asEmpl[Db::getId(MyThoughts::USER_TABLE)]);
|
||||
}
|
||||
else $this->addError('Utilisateur '.$iUserId.' inconnu');
|
||||
}
|
||||
}
|
||||
|
||||
public function addUser($sUserHash, $sNickName, $sLoginToken, $bLogMeIn=false)
|
||||
{
|
||||
$sPass = self::hashPassword($sLoginToken);
|
||||
$bExist = $this->oDb->pingValue(MyThoughts::USER_TABLE, array(Db::getText(MyThoughts::USER_TABLE)=>$sUserHash));
|
||||
if($bExist) return -1;
|
||||
else
|
||||
{
|
||||
$iUserId = $this->oDb->insertRow(MyThoughts::USER_TABLE, array(Db::getText(MyThoughts::USER_TABLE)=>$sUserHash, 'nickname'=>$sNickName, 'pass'=>$sPass));
|
||||
if($iUserId>0 && $bLogMeIn)
|
||||
{
|
||||
$this->logMeIn($sUserHash.self::TOKEN_SEP.$sPass);
|
||||
}
|
||||
}
|
||||
return $iUserId;
|
||||
}
|
||||
|
||||
//TODO integrate with logMeIn()
|
||||
public function checkApiKey($sApiKey)
|
||||
{
|
||||
return ($this->sApiKey!='' && $sApiKey==$this->sApiKey);
|
||||
}
|
||||
|
||||
private function resetPass($iUserId=0)
|
||||
{
|
||||
$sUserIdCol = Db::getId(MyThoughts::USER_TABLE);
|
||||
$sUserTextCol = Db::getText(MyThoughts::USER_TABLE);
|
||||
|
||||
$asInfo = array('select'=>array($sUserIdCol, $sUserTextCol), 'from'=>MyThoughts::USER_TABLE);
|
||||
if($iUserId>0) $asInfo['constraint'] = array($sUserIdCol=>$iUserId);
|
||||
|
||||
$asUsers = $this->oDb->selectRows($asInfo);
|
||||
foreach($asUsers as $asUser)
|
||||
{
|
||||
$sToken = self::hashPassword(self::getLoginToken($asUser[$sUserTextCol]));
|
||||
$this->oDb->updateRow(MyThoughts::USER_TABLE, array(Db::getId(MyThoughts::USER_TABLE)=>$asUser[$sUserIdCol]), array('pass'=>$sToken));
|
||||
}
|
||||
}
|
||||
|
||||
public static function getLoginToken($sPass)
|
||||
{
|
||||
//Add Server Name
|
||||
$sServerName = array_key_exists('SERVER_NAME', $_SERVER)?$_SERVER['SERVER_NAME']:$_SERVER['PWD'];
|
||||
$sAppPath = $_SERVER['REQUEST_SCHEME'].'://'.str_replace(array('http://', 'https://'), '', $sServerName.dirname($_SERVER['SCRIPT_NAME']));
|
||||
$_GET['serv_name'] = $sAppPath.(mb_substr($sAppPath, -1)!='/'?'/':'');
|
||||
return md5($sPass.$_GET['serv_name']);
|
||||
}
|
||||
|
||||
private function resetAuthCookie($iUserId)
|
||||
{
|
||||
$sNewPass = self::getAuthCookie($iUserId);
|
||||
$iTimeLimit = time() + 60 * 60 * 24 * 30;
|
||||
$this->oDb->updateRow(MyThoughts::USER_TABLE, array(Db::getId(MyThoughts::USER_TABLE)=>$iUserId), array("cookie"=>$sNewPass));
|
||||
setcookie(self::USER_COOKIE_PASS, $iUserId.self::TOKEN_SEP.$sNewPass, $iTimeLimit);
|
||||
}
|
||||
|
||||
private static function getAuthCookie()
|
||||
{
|
||||
return self::hashPassword
|
||||
(
|
||||
$_SERVER['HTTP_USER_AGENT'].
|
||||
$_SERVER['REMOTE_ADDR'].
|
||||
$_SERVER['REQUEST_TIME'].
|
||||
mb_strstr(microtime(), ' ', true).
|
||||
$_SERVER['SERVER_SIGNATURE'].
|
||||
$_SERVER['SERVER_ADMIN']
|
||||
);
|
||||
}
|
||||
|
||||
private static function hashPassword($sPass)
|
||||
{
|
||||
return password_hash($sPass, self::ALGO, array('cost'=>self::COST));
|
||||
}
|
||||
|
||||
private static function checkPassword($sPass, $sHash)
|
||||
{
|
||||
return password_verify($sPass, $sHash);
|
||||
}
|
||||
}
|
||||
|
||||
?>
|
||||
<?php
|
||||
|
||||
class Auth extends PhpObject
|
||||
{
|
||||
const ALGO = PASSWORD_DEFAULT;
|
||||
const COST = 12;
|
||||
const TOKEN_SEP = '|';
|
||||
const USER_COOKIE_PASS = 'checksum';
|
||||
const DEFAULT_ERROR = 'Unknown error';
|
||||
|
||||
/**
|
||||
* Database Connection
|
||||
* @var Db
|
||||
*/
|
||||
private $oDb;
|
||||
private $iUserId;
|
||||
private $sApiKey;
|
||||
|
||||
public function __construct($oDb, $sApiKey='', $bAutoLogin=true)
|
||||
{
|
||||
parent::__construct(__CLASS__, Settings::DEBUG);
|
||||
$this->oDb = $oDb;
|
||||
$this->setUserId(0);
|
||||
$this->sApiKey = $sApiKey;
|
||||
if($bAutoLogin) $this->autoLogIn();
|
||||
}
|
||||
|
||||
private function setUserId($iUserId)
|
||||
{
|
||||
$this->iUserId = $iUserId;
|
||||
}
|
||||
|
||||
public function getUserId()
|
||||
{
|
||||
return $this->iUserId;
|
||||
}
|
||||
|
||||
public function isLoggedIn()
|
||||
{
|
||||
return ($this->getUserId() > 0);
|
||||
}
|
||||
|
||||
public function logMeIn($sToken)
|
||||
{
|
||||
$sDesc = '';
|
||||
$asUser = $this->getUserFromToken($sToken);
|
||||
if($asUser['success'])
|
||||
{
|
||||
if(self::checkPassword($asUser['http_pass'], $asUser['pass']))
|
||||
{
|
||||
$this->setUserId($asUser[Db::getId(MyThoughts::USER_TABLE)]);
|
||||
$this->resetAuthCookie($this->getUserId());
|
||||
}
|
||||
else $sDesc = 'wrong password';
|
||||
}
|
||||
else $sDesc = $asUser['desc'];
|
||||
|
||||
return array('success'=>$this->isLoggedIn(), 'desc'=>$sDesc);
|
||||
}
|
||||
|
||||
public function register($sToken, $sNickName, $bLogMeIn=false)
|
||||
{
|
||||
$bSuccess = false;
|
||||
$sDesc = self::DEFAULT_ERROR;
|
||||
$asUser = $this->getUserFromToken($sToken);
|
||||
|
||||
if(array_key_exists('unknown_user', $asUser))
|
||||
{
|
||||
$iUserId = $this->addUser($asUser['username'], $sNickName, $asUser['http_pass'], $bLogMeIn);
|
||||
if($iUserId > 0) $bSuccess = true;
|
||||
else $sDesc = 'Error: Could not add user';
|
||||
}
|
||||
else $sDesc = 'Someone is already using this nickname, sorry!';
|
||||
|
||||
$asResult = array('success'=>$bSuccess, 'desc'=>$sDesc);
|
||||
return $asResult;
|
||||
}
|
||||
|
||||
private function getUserFromToken($sToken)
|
||||
{
|
||||
$asResult = array();
|
||||
$bSuccess = false;
|
||||
$sDesc = self::DEFAULT_ERROR;
|
||||
|
||||
if($sToken!='')
|
||||
{
|
||||
$asResult['username'] = addslashes(strstr($sToken, self::TOKEN_SEP, true));
|
||||
$asResult['http_pass'] = substr(strstr($sToken, self::TOKEN_SEP), strlen(self::TOKEN_SEP));
|
||||
|
||||
if($asResult['username']!='' && $asResult['http_pass']!='')
|
||||
{
|
||||
$asUser = $this->oDb->selectRow(MyThoughts::USER_TABLE, array(Db::getText(MyThoughts::USER_TABLE)=>$asResult['username']));
|
||||
if(!empty($asUser))
|
||||
{
|
||||
$asResult += $asUser;
|
||||
$bSuccess = true;
|
||||
}
|
||||
else
|
||||
{
|
||||
$asResult['unknown_user'] = true;
|
||||
$sDesc = 'unknown nickname';
|
||||
}
|
||||
}
|
||||
else $sDesc = 'corrupted token, please login again';
|
||||
}
|
||||
else $sDesc = 'no credentials has been received by the server';
|
||||
|
||||
$asResult['success'] = $bSuccess;
|
||||
$asResult['desc'] = $sDesc;
|
||||
return $asResult;
|
||||
}
|
||||
|
||||
public function autoLogIn()
|
||||
{
|
||||
if(isset($_COOKIE[self::USER_COOKIE_PASS]))
|
||||
{
|
||||
$sCookie = $_COOKIE[self::USER_COOKIE_PASS];
|
||||
$iUserId = addslashes(strstr($sCookie, self::TOKEN_SEP, true));
|
||||
$sCookie = substr(strstr($sCookie, self::TOKEN_SEP), strlen(self::TOKEN_SEP));
|
||||
|
||||
$asEmpl = $this->oDb->selectRow(MyThoughts::USER_TABLE, array(Db::getId(MyThoughts::USER_TABLE)=>$iUserId));
|
||||
if(!empty($asEmpl))
|
||||
{
|
||||
if($sCookie==$asEmpl['cookie'])
|
||||
{
|
||||
$this->setUserId($asEmpl[Db::getId(MyThoughts::USER_TABLE)]);
|
||||
|
||||
//Reset pass once a day
|
||||
if(mb_substr($asEmpl['led'], 0, 10) != date('Y-m-d')) $this->resetAuthCookie($this->getUserId());
|
||||
}
|
||||
else $this->addError('token corrompu pour le user '.$asEmpl[Db::getId(MyThoughts::USER_TABLE)]);
|
||||
}
|
||||
else $this->addError('Utilisateur '.$iUserId.' inconnu');
|
||||
}
|
||||
}
|
||||
|
||||
public function addUser($sUserHash, $sNickName, $sLoginToken, $bLogMeIn=false)
|
||||
{
|
||||
$sPass = self::hashPassword($sLoginToken);
|
||||
$bExist = $this->oDb->pingValue(MyThoughts::USER_TABLE, array(Db::getText(MyThoughts::USER_TABLE)=>$sUserHash));
|
||||
if($bExist) return -1;
|
||||
else
|
||||
{
|
||||
$iUserId = $this->oDb->insertRow(MyThoughts::USER_TABLE, array(Db::getText(MyThoughts::USER_TABLE)=>$sUserHash, 'nickname'=>$sNickName, 'pass'=>$sPass));
|
||||
if($iUserId>0 && $bLogMeIn)
|
||||
{
|
||||
$this->logMeIn($sUserHash.self::TOKEN_SEP.$sPass);
|
||||
}
|
||||
}
|
||||
return $iUserId;
|
||||
}
|
||||
|
||||
//TODO integrate with logMeIn()
|
||||
public function checkApiKey($sApiKey)
|
||||
{
|
||||
return ($this->sApiKey!='' && $sApiKey==$this->sApiKey);
|
||||
}
|
||||
|
||||
private function resetPass($iUserId=0)
|
||||
{
|
||||
$sUserIdCol = Db::getId(MyThoughts::USER_TABLE);
|
||||
$sUserTextCol = Db::getText(MyThoughts::USER_TABLE);
|
||||
|
||||
$asInfo = array('select'=>array($sUserIdCol, $sUserTextCol), 'from'=>MyThoughts::USER_TABLE);
|
||||
if($iUserId>0) $asInfo['constraint'] = array($sUserIdCol=>$iUserId);
|
||||
|
||||
$asUsers = $this->oDb->selectRows($asInfo);
|
||||
foreach($asUsers as $asUser)
|
||||
{
|
||||
$sToken = self::hashPassword(self::getLoginToken($asUser[$sUserTextCol]));
|
||||
$this->oDb->updateRow(MyThoughts::USER_TABLE, array(Db::getId(MyThoughts::USER_TABLE)=>$asUser[$sUserIdCol]), array('pass'=>$sToken));
|
||||
}
|
||||
}
|
||||
|
||||
public static function getLoginToken($sPass)
|
||||
{
|
||||
//Add Server Name
|
||||
$sServerName = array_key_exists('SERVER_NAME', $_SERVER)?$_SERVER['SERVER_NAME']:$_SERVER['PWD'];
|
||||
$sAppPath = $_SERVER['REQUEST_SCHEME'].'://'.str_replace(array('http://', 'https://'), '', $sServerName.dirname($_SERVER['SCRIPT_NAME']));
|
||||
$_GET['serv_name'] = $sAppPath.(mb_substr($sAppPath, -1)!='/'?'/':'');
|
||||
return md5($sPass.$_GET['serv_name']);
|
||||
}
|
||||
|
||||
private function resetAuthCookie($iUserId)
|
||||
{
|
||||
$sNewPass = self::getAuthCookie($iUserId);
|
||||
$iTimeLimit = time() + 60 * 60 * 24 * 30;
|
||||
$this->oDb->updateRow(MyThoughts::USER_TABLE, array(Db::getId(MyThoughts::USER_TABLE)=>$iUserId), array("cookie"=>$sNewPass));
|
||||
setcookie(self::USER_COOKIE_PASS, $iUserId.self::TOKEN_SEP.$sNewPass, $iTimeLimit);
|
||||
}
|
||||
|
||||
private static function getAuthCookie()
|
||||
{
|
||||
return self::hashPassword
|
||||
(
|
||||
$_SERVER['HTTP_USER_AGENT'].
|
||||
$_SERVER['REMOTE_ADDR'].
|
||||
$_SERVER['REQUEST_TIME'].
|
||||
mb_strstr(microtime(), ' ', true).
|
||||
$_SERVER['SERVER_SIGNATURE'].
|
||||
$_SERVER['SERVER_ADMIN']
|
||||
);
|
||||
}
|
||||
|
||||
private static function hashPassword($sPass)
|
||||
{
|
||||
return password_hash($sPass, self::ALGO, array('cost'=>self::COST));
|
||||
}
|
||||
|
||||
private static function checkPassword($sPass, $sHash)
|
||||
{
|
||||
return password_verify($sPass, $sHash);
|
||||
}
|
||||
}
|
||||
282
inc/calendar.php
282
inc/calendar.php
@@ -1,142 +1,142 @@
|
||||
<?php
|
||||
class Calendar extends PhpObject
|
||||
{
|
||||
const CAL_YEAR = 'cy';
|
||||
const CAL_MONTH = 'cm';
|
||||
|
||||
private $oMySql;
|
||||
private $oSession;
|
||||
private $oMask;
|
||||
|
||||
private $iUserId;
|
||||
private $iYear;
|
||||
private $iMonth;
|
||||
|
||||
function __construct($oMySql, $oSession)
|
||||
{
|
||||
parent::__construct();
|
||||
$this->oMySql = $oMySql;
|
||||
$this->oSession = $oSession;
|
||||
$this->oMask = new Mask('calendar');
|
||||
$this->iYear = 0;
|
||||
$this->iMonth = 0;
|
||||
}
|
||||
|
||||
public function setDate($iYear=0, $iMonth=0)
|
||||
{
|
||||
if($iYear==0)
|
||||
{
|
||||
$iYear = date('Y');
|
||||
}
|
||||
if($iMonth==0)
|
||||
{
|
||||
$iMonth = date('m');
|
||||
}
|
||||
$this->iYear = $iYear;
|
||||
$this->iMonth = $iMonth;
|
||||
}
|
||||
|
||||
private function getThoughts()
|
||||
{
|
||||
//TODO essayer avec selectRows
|
||||
$sQuery = "SELECT DATE_FORMAT(led, '%d') AS day
|
||||
FROM ".Db::THOUGHTS_TABLE."
|
||||
WHERE ".Db::getId(Db::USERS_TABLE)." = ".$this->oSession->getUserId()."
|
||||
AND YEAR(led) = ".$this->iYear."
|
||||
AND MONTH(led) = ".$this->iMonth."
|
||||
GROUP BY day
|
||||
ORDER BY day";
|
||||
|
||||
return $this->oMySql->getArrayQuery($sQuery, true);
|
||||
}
|
||||
|
||||
private function getUpdatedLink($asParams)
|
||||
{
|
||||
$sCurrentVariables = $_SERVER['QUERY_STRING'];
|
||||
$asCurrentVariables = explode('&', $sCurrentVariables);
|
||||
foreach($asCurrentVariables as $sParam)
|
||||
{
|
||||
$sKey = strstr($sParam, '=', true);
|
||||
$sValue = substr(strstr($sParam, '='), 1);
|
||||
$asVariables[$sKey] = $sValue;
|
||||
}
|
||||
return '?'.implodeAll(array_merge($asVariables, $asParams), '=', '&');
|
||||
}
|
||||
|
||||
private function getLink($iOffset)
|
||||
{
|
||||
$iTimeStamp = mktime(0, 0, 0, $this->iMonth + $iOffset, 1, $this->iYear);
|
||||
return $this->getUpdatedLink(array(self::CAL_MONTH=>date('n', $iTimeStamp), self::CAL_YEAR=>date('Y', $iTimeStamp)));
|
||||
}
|
||||
|
||||
private function setMaskItems()
|
||||
{
|
||||
//week starting on the sunday : offset = 0, monday : offset = 1
|
||||
$iOffset = 1;
|
||||
|
||||
//days in the month
|
||||
$iMonthLastDay = date('d', mktime(0, 0, 0, $this->iMonth+1, 0, $this->iYear));
|
||||
$asDays = range(1, $iMonthLastDay);
|
||||
|
||||
$iDayNb = 1 - date($iOffset?'N':'w', mktime(0, 0, 0, $this->iMonth, 1, $this->iYear)) + $iOffset;
|
||||
$iCalendarLastDay = $iMonthLastDay + (7 - date($iOffset?'N':'w', mktime(0, 0, 0, $this->iMonth+1, 0, $this->iYear))) + $iOffset;
|
||||
|
||||
//days with thoughts
|
||||
$asThoughts = $this->getThoughts();
|
||||
|
||||
while($iDayNb < $iCalendarLastDay)
|
||||
{
|
||||
$iCurrentDayTimeStamp = mktime(0, 0, 0, $this->iMonth, $iDayNb, $this->iYear);
|
||||
$sItemDate = date('d', $iCurrentDayTimeStamp);
|
||||
|
||||
//new week
|
||||
if(date('w', $iCurrentDayTimeStamp) == $iOffset)
|
||||
{
|
||||
$this->oMask->newInstance('WEEK');
|
||||
}
|
||||
|
||||
//day within month
|
||||
if(date('n', $iCurrentDayTimeStamp)==$this->iMonth)
|
||||
{
|
||||
$bThoughts = in_array($iDayNb, $asThoughts);
|
||||
|
||||
$sItemClass = $bThoughts?'full':'empty';
|
||||
$sItemLink = $bThoughts?$this->getUpdatedLink(array('d'=>date(MyThoughts::URL_DATE_FORMAT, $iCurrentDayTimeStamp), 'p'=>'r')):'#';
|
||||
$sItemLinkTitle = $bThoughts?'See my thoughts on '.date(MyThoughts::LAYOUT_DATE_FORMAT, $iCurrentDayTimeStamp):'';
|
||||
}
|
||||
else
|
||||
{
|
||||
$sItemClass = 'disabled';
|
||||
$sItemLink = '#';
|
||||
$sItemLinkTitle = '';
|
||||
}
|
||||
|
||||
$this->oMask->addInstance('DAY', array('item_day'=>$sItemDate, 'item_class'=>$sItemClass, 'item_link'=>$sItemLink, 'item_link_title'=>$sItemLinkTitle));
|
||||
$iDayNb++;
|
||||
}
|
||||
|
||||
//column titles
|
||||
$asDayNames = array('1'=>'Mon', '2'=>'Tue', '3'=>'Wed', '4'=>'Thu', '5'=>'Fri', '6'=>'Sat', $iOffset?'7':'0'=>'Sun');
|
||||
ksort($asDayNames);
|
||||
foreach($asDayNames as $sDayName)
|
||||
{
|
||||
$this->oMask->addInstance('TITLE', array('day_name'=>$sDayName));
|
||||
}
|
||||
|
||||
}
|
||||
|
||||
public function getCalendar()
|
||||
{
|
||||
$sResult = '';
|
||||
if($this->iYear!=0 && $this->iMonth!=0)
|
||||
{
|
||||
$this->oMask->setTag('link_prev', $this->getLink(-1));
|
||||
$this->oMask->setTag('current_month', date('F', mktime(0, 0, 0, $this->iMonth, 1, $this->iYear)));
|
||||
$this->oMask->setTag('link_next', $this->getLink(1));
|
||||
$this->setMaskItems();
|
||||
$sResult = $this->oMask->getMask();
|
||||
}
|
||||
return $sResult;
|
||||
}
|
||||
}
|
||||
<?php
|
||||
class Calendar extends PhpObject
|
||||
{
|
||||
const CAL_YEAR = 'cy';
|
||||
const CAL_MONTH = 'cm';
|
||||
|
||||
private $oMySql;
|
||||
private $oSession;
|
||||
private $oMask;
|
||||
|
||||
private $iUserId;
|
||||
private $iYear;
|
||||
private $iMonth;
|
||||
|
||||
function __construct($oMySql, $oSession)
|
||||
{
|
||||
parent::__construct();
|
||||
$this->oMySql = $oMySql;
|
||||
$this->oSession = $oSession;
|
||||
$this->oMask = new Mask('calendar');
|
||||
$this->iYear = 0;
|
||||
$this->iMonth = 0;
|
||||
}
|
||||
|
||||
public function setDate($iYear=0, $iMonth=0)
|
||||
{
|
||||
if($iYear==0)
|
||||
{
|
||||
$iYear = date('Y');
|
||||
}
|
||||
if($iMonth==0)
|
||||
{
|
||||
$iMonth = date('m');
|
||||
}
|
||||
$this->iYear = $iYear;
|
||||
$this->iMonth = $iMonth;
|
||||
}
|
||||
|
||||
private function getThoughts()
|
||||
{
|
||||
//TODO essayer avec selectRows
|
||||
$sQuery = "SELECT DATE_FORMAT(led, '%d') AS day
|
||||
FROM ".Db::THOUGHTS_TABLE."
|
||||
WHERE ".Db::getId(Db::USERS_TABLE)." = ".$this->oSession->getUserId()."
|
||||
AND YEAR(led) = ".$this->iYear."
|
||||
AND MONTH(led) = ".$this->iMonth."
|
||||
GROUP BY day
|
||||
ORDER BY day";
|
||||
|
||||
return $this->oMySql->getArrayQuery($sQuery, true);
|
||||
}
|
||||
|
||||
private function getUpdatedLink($asParams)
|
||||
{
|
||||
$sCurrentVariables = $_SERVER['QUERY_STRING'];
|
||||
$asCurrentVariables = explode('&', $sCurrentVariables);
|
||||
foreach($asCurrentVariables as $sParam)
|
||||
{
|
||||
$sKey = strstr($sParam, '=', true);
|
||||
$sValue = substr(strstr($sParam, '='), 1);
|
||||
$asVariables[$sKey] = $sValue;
|
||||
}
|
||||
return '?'.implodeAll(array_merge($asVariables, $asParams), '=', '&');
|
||||
}
|
||||
|
||||
private function getLink($iOffset)
|
||||
{
|
||||
$iTimeStamp = mktime(0, 0, 0, $this->iMonth + $iOffset, 1, $this->iYear);
|
||||
return $this->getUpdatedLink(array(self::CAL_MONTH=>date('n', $iTimeStamp), self::CAL_YEAR=>date('Y', $iTimeStamp)));
|
||||
}
|
||||
|
||||
private function setMaskItems()
|
||||
{
|
||||
//week starting on the sunday : offset = 0, monday : offset = 1
|
||||
$iOffset = 1;
|
||||
|
||||
//days in the month
|
||||
$iMonthLastDay = date('d', mktime(0, 0, 0, $this->iMonth+1, 0, $this->iYear));
|
||||
$asDays = range(1, $iMonthLastDay);
|
||||
|
||||
$iDayNb = 1 - date($iOffset?'N':'w', mktime(0, 0, 0, $this->iMonth, 1, $this->iYear)) + $iOffset;
|
||||
$iCalendarLastDay = $iMonthLastDay + (7 - date($iOffset?'N':'w', mktime(0, 0, 0, $this->iMonth+1, 0, $this->iYear))) + $iOffset;
|
||||
|
||||
//days with thoughts
|
||||
$asThoughts = $this->getThoughts();
|
||||
|
||||
while($iDayNb < $iCalendarLastDay)
|
||||
{
|
||||
$iCurrentDayTimeStamp = mktime(0, 0, 0, $this->iMonth, $iDayNb, $this->iYear);
|
||||
$sItemDate = date('d', $iCurrentDayTimeStamp);
|
||||
|
||||
//new week
|
||||
if(date('w', $iCurrentDayTimeStamp) == $iOffset)
|
||||
{
|
||||
$this->oMask->newInstance('WEEK');
|
||||
}
|
||||
|
||||
//day within month
|
||||
if(date('n', $iCurrentDayTimeStamp)==$this->iMonth)
|
||||
{
|
||||
$bThoughts = in_array($iDayNb, $asThoughts);
|
||||
|
||||
$sItemClass = $bThoughts?'full':'empty';
|
||||
$sItemLink = $bThoughts?$this->getUpdatedLink(array('d'=>date(MyThoughts::URL_DATE_FORMAT, $iCurrentDayTimeStamp), 'p'=>'r')):'#';
|
||||
$sItemLinkTitle = $bThoughts?'See my thoughts on '.date(MyThoughts::LAYOUT_DATE_FORMAT, $iCurrentDayTimeStamp):'';
|
||||
}
|
||||
else
|
||||
{
|
||||
$sItemClass = 'disabled';
|
||||
$sItemLink = '#';
|
||||
$sItemLinkTitle = '';
|
||||
}
|
||||
|
||||
$this->oMask->addInstance('DAY', array('item_day'=>$sItemDate, 'item_class'=>$sItemClass, 'item_link'=>$sItemLink, 'item_link_title'=>$sItemLinkTitle));
|
||||
$iDayNb++;
|
||||
}
|
||||
|
||||
//column titles
|
||||
$asDayNames = array('1'=>'Mon', '2'=>'Tue', '3'=>'Wed', '4'=>'Thu', '5'=>'Fri', '6'=>'Sat', $iOffset?'7':'0'=>'Sun');
|
||||
ksort($asDayNames);
|
||||
foreach($asDayNames as $sDayName)
|
||||
{
|
||||
$this->oMask->addInstance('TITLE', array('day_name'=>$sDayName));
|
||||
}
|
||||
|
||||
}
|
||||
|
||||
public function getCalendar()
|
||||
{
|
||||
$sResult = '';
|
||||
if($this->iYear!=0 && $this->iMonth!=0)
|
||||
{
|
||||
$this->oMask->setTag('link_prev', $this->getLink(-1));
|
||||
$this->oMask->setTag('current_month', date('F', mktime(0, 0, 0, $this->iMonth, 1, $this->iYear)));
|
||||
$this->oMask->setTag('link_next', $this->getLink(1));
|
||||
$this->setMaskItems();
|
||||
$sResult = $this->oMask->getMask();
|
||||
}
|
||||
return $sResult;
|
||||
}
|
||||
}
|
||||
?>
|
||||
@@ -1,242 +1,245 @@
|
||||
<?php
|
||||
|
||||
/**
|
||||
* Main Class
|
||||
* @author franzz
|
||||
* @version 2.0
|
||||
*/
|
||||
class MyThoughts extends Main
|
||||
{
|
||||
//Interface keywords
|
||||
const SUCCESS = 'success';
|
||||
const ERROR = 'error';
|
||||
const UNAUTHORIZED = 'unauthorized';
|
||||
const NOT_FOUND = 'unknown action';
|
||||
|
||||
//SQL tables
|
||||
const USER_TABLE = 'users';
|
||||
const SETTINGS_TABLE = 'settings';
|
||||
|
||||
//Mythoughts
|
||||
const URL_DATE_FORMAT = 'Ymd';
|
||||
const LAYOUT_DATE_FORMAT = 'F \t\h\e jS, Y';
|
||||
const MYSQL_DATE_FORMAT = 'Y-m-d';
|
||||
const LAYOUT_TIME_FORMAT = 'G:i';
|
||||
const WELCOME_MSG_FILE = 'welcome';
|
||||
const SETTING_LAYOUT = 'layout';
|
||||
const LAYOUT_ONE_PAGE = '1';
|
||||
const LAYOUT_TWO_PAGES = '2';
|
||||
const SETTING_FONT = 'font';
|
||||
const FONT_THOUGHTS = 'thoughts';
|
||||
const FONT_ARIAL = 'Arial';
|
||||
const FONT_VERDANA = 'Verdana';
|
||||
const SETTING_SIZE = 'Size';
|
||||
const SIZE_16 = '16';
|
||||
const SIZE_18 = '18';
|
||||
const SIZE_20 = '20';
|
||||
const LAST_THOUGHT_LIMIT = 60*60*24;
|
||||
|
||||
//Format
|
||||
const OBJ = 'object';
|
||||
const ARRAY = 'array';
|
||||
const JSON = 'json';
|
||||
|
||||
/**
|
||||
* Auth Object
|
||||
* @var Auth
|
||||
*/
|
||||
private $oAuth;
|
||||
|
||||
/**
|
||||
* Main constructor [to be called from index.php]
|
||||
* @param ClassManagement $oClassManagement
|
||||
* @param string $sLang
|
||||
*/
|
||||
public function __construct($oClassManagement, $sProcessPage)
|
||||
{
|
||||
//Load classes
|
||||
//$this->oClassManagement->incClass('calendar', true);
|
||||
$asClasses = array( array('name'=>'auth', 'project'=>true),
|
||||
array('name'=>'thought', 'project'=>true));
|
||||
|
||||
parent::__construct($oClassManagement, $sProcessPage, $asClasses);
|
||||
|
||||
//Init objects
|
||||
if($this->oDb->sDbState == Db::DB_PEACHY) $this->oAuth = new Auth($this->oDb, Settings::API_KEY);
|
||||
}
|
||||
|
||||
protected function install()
|
||||
{
|
||||
$this->oAuth = new Auth($this->oDb, Settings::API_KEY, false);
|
||||
|
||||
//Install DB
|
||||
$this->oDb->install();
|
||||
}
|
||||
|
||||
private function setContext($sProcessPage)
|
||||
{
|
||||
//Browser <> PHP <> MySql synchronization
|
||||
date_default_timezone_set(Settings::TIMEZONE);
|
||||
ini_set('default_charset', Settings::TEXT_ENC);
|
||||
header('Content-Type: text/html; charset='.Settings::TEXT_ENC);
|
||||
mb_internal_encoding(Settings::TEXT_ENC);
|
||||
mb_http_output(Settings::TEXT_ENC);
|
||||
mb_http_input(Settings::TEXT_ENC);
|
||||
mb_language('uni');
|
||||
mb_regex_encoding(Settings::TEXT_ENC);
|
||||
|
||||
$this->asContext['process_page'] = basename($sProcessPage);
|
||||
|
||||
$sServerName = array_key_exists('SERVER_NAME', $_SERVER)?$_SERVER['SERVER_NAME']:$_SERVER['PWD'];
|
||||
$sAppPath = 'http://'.str_replace('http://', '', $sServerName.dirname($_SERVER['SCRIPT_NAME']));
|
||||
$this->asContext['serv_name'] = $sAppPath.(mb_substr($sAppPath, -1)!='/'?'/':'');
|
||||
}
|
||||
|
||||
public function addUncaughtError($sError)
|
||||
{
|
||||
$this->addError('Uncaught errors:'."\n".$sError);
|
||||
}
|
||||
|
||||
/* Authorizations handling */
|
||||
|
||||
public function register($sToken, $sNickname)
|
||||
{
|
||||
$asResult = $this->oAuth->register($sToken, $sNickname);
|
||||
|
||||
if($asResult['success']) return $this->logMeIn($sToken);
|
||||
else return self::getJsonResult($asResult['success'], $asResult['desc']);
|
||||
}
|
||||
|
||||
public function isLoggedIn()
|
||||
{
|
||||
return $this->oAuth->isLoggedIn();
|
||||
}
|
||||
|
||||
public function logMeIn($sToken)
|
||||
{
|
||||
$asLogResult = $this->oAuth->logMeIn($sToken);
|
||||
return MyThoughts::getJsonResult($asLogResult['success'], $asLogResult['desc'], $this->getVars());
|
||||
}
|
||||
|
||||
public function checkApiKey($sApiKey)
|
||||
{
|
||||
return $this->oAuth->checkApiKey($sApiKey);
|
||||
}
|
||||
|
||||
/* Building main pages */
|
||||
|
||||
public function getPage()
|
||||
{
|
||||
//Constants
|
||||
$asGlobalVars = array(
|
||||
'consts' => array(
|
||||
'token_sep' => Auth::TOKEN_SEP,
|
||||
'error' => self::ERROR,
|
||||
'success' => self::SUCCESS,
|
||||
'context' => $this->asContext,
|
||||
'cookie' => Auth::USER_COOKIE_PASS
|
||||
),
|
||||
'vars' => $this->getVars()
|
||||
);
|
||||
|
||||
//Pages
|
||||
$asPages = array('logon', 'logoff', 'write', 'read', 'settings', 'template', 'editor');
|
||||
foreach($asPages as $sPage) $asGlobalVars['consts']['pages'][$sPage] = $this->getPageContent($sPage);
|
||||
|
||||
//Main Page
|
||||
$sPage = $this->getPageContent('index');
|
||||
$sPage = str_replace('asGlobalVars', json_encode($asGlobalVars), $sPage);
|
||||
return $sPage;
|
||||
}
|
||||
|
||||
private function getVars() {
|
||||
return array(
|
||||
'id' => $this->oAuth->getUserId(),
|
||||
'log_in' => $this->isLoggedIn()
|
||||
);
|
||||
}
|
||||
|
||||
/* DB structure. See Db::__construct */
|
||||
|
||||
protected function getSqlOptions()
|
||||
{
|
||||
return array(
|
||||
'tables' => array(
|
||||
self::USER_TABLE => array(Db::getText(self::USER_TABLE), 'nickname', 'pass', 'cookie'),
|
||||
Thought::THOUGHT_TABLE => array(Db::getId(self::USER_TABLE), Db::getText(Thought::THOUGHT_TABLE), 'created'),
|
||||
self::SETTINGS_TABLE => array(Db::getId(self::USER_TABLE), Db::getText(self::SETTINGS_TABLE), 'value')
|
||||
),
|
||||
'types' => array(
|
||||
Db::getText(self::USER_TABLE) => "varchar(32) NOT NULL",
|
||||
'nickname' => "varchar(60) NOT NULL",
|
||||
'pass' => "varchar(256) NOT NULL",
|
||||
'cookie' => "varchar(255)",
|
||||
Db::getText(Thought::THOUGHT_TABLE) => "longtext",
|
||||
'created' => "timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP",
|
||||
Db::getText(self::SETTINGS_TABLE) => "varchar(20) NOT NULL",
|
||||
'value' => "varchar(20) NOT NULL"
|
||||
),
|
||||
'constraints' => array(
|
||||
self::USER_TABLE => "UNIQUE KEY `unique_username` (`".Db::getText(self::USER_TABLE)."`)"
|
||||
),
|
||||
'cascading_delete' => array(
|
||||
self::USER_TABLE => array(self::SETTINGS_TABLE, Thought::THOUGHT_TABLE)
|
||||
)
|
||||
);
|
||||
}
|
||||
|
||||
/* Thoughts */
|
||||
|
||||
public function getThought($iThoughtId, $sFormat=self::OBJ)
|
||||
{
|
||||
$oThought = new Thought($this->oDb, $this->oAuth->getUserId());
|
||||
|
||||
if($iThoughtId=='last') $oThought->openLast(self::LAST_THOUGHT_LIMIT);
|
||||
else $oThought->open($iThoughtId);
|
||||
|
||||
switch($sFormat)
|
||||
{
|
||||
case self::OBJ:
|
||||
return $oThought; break;
|
||||
case self::ARRAY:
|
||||
return $oThought->get(); break;
|
||||
case self::JSON:
|
||||
return self::getJsonResult(true, '', $oThought->get()); break;
|
||||
}
|
||||
}
|
||||
|
||||
public function updateThought($asOps, $iThoughtId=0)
|
||||
{
|
||||
$oThought = new Thought($this->oDb, $this->oAuth->getUserId(), $iThoughtId);
|
||||
|
||||
$oThought->setOps($asOps);
|
||||
$iThoughtId = $oThought->save();
|
||||
|
||||
$bSuccess = ($iThoughtId>0);
|
||||
$sDesc = 'thought '.($bSuccess?'':'not ').'saved';
|
||||
return self::getJsonResult($bSuccess, $sDesc, $this->getThought($iThoughtId, self::ARRAY));
|
||||
}
|
||||
|
||||
public function getThoughtDates()
|
||||
{
|
||||
$asThoughts = Thought::getThoughtDates($this->oDb, $this->oAuth->getUserId());
|
||||
foreach($asThoughts as &$asThought) $asThought['created_f'] = self::formatDate($asThought['created'], 'j M');
|
||||
return self::getJsonResult(true, '', $asThoughts);
|
||||
}
|
||||
|
||||
/* Static toolbox functions */
|
||||
|
||||
public static function getSafeNickName($sNickName)
|
||||
{
|
||||
return $sNickName;
|
||||
}
|
||||
|
||||
private static function formatDate($iTime, $sFormat, $sField='')
|
||||
{
|
||||
$iTime = ($sField == '')?$iTime:$iTime[$sField];
|
||||
$iTime = is_numeric($iTime)?$iTime:strtotime($iTime);
|
||||
return date($sFormat, $iTime);
|
||||
}
|
||||
}
|
||||
|
||||
<?php
|
||||
|
||||
/**
|
||||
* Main Class
|
||||
* @author franzz
|
||||
* @version 2.0
|
||||
*/
|
||||
class MyThoughts extends Main
|
||||
{
|
||||
//Interface keywords
|
||||
const SUCCESS = 'success';
|
||||
const ERROR = 'error';
|
||||
const UNAUTHORIZED = 'unauthorized';
|
||||
const NOT_FOUND = 'unknown action';
|
||||
|
||||
//SQL tables
|
||||
const USER_TABLE = 'users';
|
||||
const SETTINGS_TABLE = 'settings';
|
||||
|
||||
//Mythoughts
|
||||
const URL_DATE_FORMAT = 'Ymd';
|
||||
const LAYOUT_DATE_FORMAT = 'F \t\h\e jS, Y';
|
||||
const MYSQL_DATE_FORMAT = 'Y-m-d';
|
||||
const LAYOUT_TIME_FORMAT = 'G:i';
|
||||
const WELCOME_MSG_FILE = 'welcome';
|
||||
const SETTING_LAYOUT = 'layout';
|
||||
const LAYOUT_ONE_PAGE = '1';
|
||||
const LAYOUT_TWO_PAGES = '2';
|
||||
const SETTING_FONT = 'font';
|
||||
const FONT_THOUGHTS = 'thoughts';
|
||||
const FONT_ARIAL = 'Arial';
|
||||
const FONT_VERDANA = 'Verdana';
|
||||
const SETTING_SIZE = 'Size';
|
||||
const SIZE_16 = '16';
|
||||
const SIZE_18 = '18';
|
||||
const SIZE_20 = '20';
|
||||
const LAST_THOUGHT_LIMIT = 60*60*24;
|
||||
|
||||
//Format
|
||||
const OBJ = 'object';
|
||||
const ARRAY = 'array';
|
||||
const JSON = 'json';
|
||||
|
||||
/**
|
||||
* Auth Object
|
||||
* @var Auth
|
||||
*/
|
||||
private $oAuth;
|
||||
|
||||
/**
|
||||
* Main constructor [to be called from index.php]
|
||||
* @param ClassManagement $oClassManagement
|
||||
* @param string $sLang
|
||||
*/
|
||||
public function __construct($oClassManagement, $sProcessPage)
|
||||
{
|
||||
//Load classes
|
||||
//$this->oClassManagement->incClass('calendar', true);
|
||||
$asClasses = array( array('name'=>'auth', 'project'=>true),
|
||||
array('name'=>'thought', 'project'=>true));
|
||||
|
||||
parent::__construct($oClassManagement, $sProcessPage, $asClasses);
|
||||
|
||||
//Init objects
|
||||
if($this->oDb->sDbState == Db::DB_PEACHY) $this->oAuth = new Auth($this->oDb, Settings::API_KEY);
|
||||
}
|
||||
|
||||
protected function install()
|
||||
{
|
||||
$this->oAuth = new Auth($this->oDb, Settings::API_KEY, false);
|
||||
|
||||
//Install DB
|
||||
$this->oDb->install();
|
||||
}
|
||||
|
||||
private function setContext($sProcessPage)
|
||||
{
|
||||
//Browser <> PHP <> MySql synchronization
|
||||
date_default_timezone_set(Settings::TIMEZONE);
|
||||
ini_set('default_charset', Settings::TEXT_ENC);
|
||||
header('Content-Type: text/html; charset='.Settings::TEXT_ENC);
|
||||
mb_internal_encoding(Settings::TEXT_ENC);
|
||||
mb_http_output(Settings::TEXT_ENC);
|
||||
mb_http_input(Settings::TEXT_ENC);
|
||||
mb_language('uni');
|
||||
mb_regex_encoding(Settings::TEXT_ENC);
|
||||
|
||||
$this->asContext['process_page'] = basename($sProcessPage);
|
||||
|
||||
$sServerName = array_key_exists('SERVER_NAME', $_SERVER)?$_SERVER['SERVER_NAME']:$_SERVER['PWD'];
|
||||
$sAppPath = 'http://'.str_replace('http://', '', $sServerName.dirname($_SERVER['SCRIPT_NAME']));
|
||||
$this->asContext['serv_name'] = $sAppPath.(mb_substr($sAppPath, -1)!='/'?'/':'');
|
||||
}
|
||||
|
||||
public function addUncaughtError($sError)
|
||||
{
|
||||
$this->addError('Uncaught errors:'."\n".$sError);
|
||||
}
|
||||
|
||||
/* Authorizations handling */
|
||||
|
||||
public function register($sToken, $sNickname)
|
||||
{
|
||||
$asResult = $this->oAuth->register($sToken, $sNickname);
|
||||
|
||||
if($asResult['success']) return $this->logMeIn($sToken);
|
||||
else return self::getJsonResult($asResult['success'], $asResult['desc']);
|
||||
}
|
||||
|
||||
public function isLoggedIn()
|
||||
{
|
||||
return $this->oAuth->isLoggedIn();
|
||||
}
|
||||
|
||||
public function logMeIn($sToken)
|
||||
{
|
||||
$asLogResult = $this->oAuth->logMeIn($sToken);
|
||||
return MyThoughts::getJsonResult($asLogResult['success'], $asLogResult['desc'], $this->getVars());
|
||||
}
|
||||
|
||||
public function checkApiKey($sApiKey)
|
||||
{
|
||||
return $this->oAuth->checkApiKey($sApiKey);
|
||||
}
|
||||
|
||||
/* Building main pages */
|
||||
|
||||
public function getPage()
|
||||
{
|
||||
//Constants
|
||||
$asGlobalVars = array(
|
||||
'consts' => array(
|
||||
'token_sep' => Auth::TOKEN_SEP,
|
||||
'error' => self::ERROR,
|
||||
'success' => self::SUCCESS,
|
||||
'context' => $this->asContext,
|
||||
'cookie' => Auth::USER_COOKIE_PASS
|
||||
),
|
||||
'vars' => $this->getVars()
|
||||
);
|
||||
|
||||
//Pages
|
||||
$asPages = array('logon', 'logoff', 'write', 'read', 'settings', 'template', 'editor');
|
||||
foreach($asPages as $sPage) $asGlobalVars['consts']['pages'][$sPage] = $this->getPageContent($sPage);
|
||||
|
||||
//Main Page
|
||||
$sPage = $this->getPageContent('index');
|
||||
$sPage = str_replace('asGlobalVars', json_encode($asGlobalVars), $sPage);
|
||||
return $sPage;
|
||||
}
|
||||
|
||||
private function getVars() {
|
||||
return array(
|
||||
'id' => $this->oAuth->getUserId(),
|
||||
'log_in' => $this->isLoggedIn()
|
||||
);
|
||||
}
|
||||
|
||||
/* DB structure. See Db::__construct */
|
||||
|
||||
protected function getSqlOptions()
|
||||
{
|
||||
return array(
|
||||
'tables' => array(
|
||||
self::USER_TABLE => array(Db::getText(self::USER_TABLE), 'nickname', 'pass', 'cookie'),
|
||||
Thought::THOUGHT_TABLE => array(Db::getId(self::USER_TABLE), Db::getText(Thought::THOUGHT_TABLE), 'created'),
|
||||
self::SETTINGS_TABLE => array(Db::getId(self::USER_TABLE), Db::getText(self::SETTINGS_TABLE), 'value')
|
||||
),
|
||||
'types' => array(
|
||||
Db::getText(self::USER_TABLE) => "varchar(32) NOT NULL",
|
||||
'nickname' => "varchar(60) NOT NULL",
|
||||
'pass' => "varchar(256) NOT NULL",
|
||||
'cookie' => "varchar(255)",
|
||||
Db::getText(Thought::THOUGHT_TABLE) => "longtext",
|
||||
'created' => "timestamp NOT NULL DEFAULT CURRENT_TIMESTAMP",
|
||||
Db::getText(self::SETTINGS_TABLE) => "varchar(20) NOT NULL",
|
||||
'value' => "varchar(20) NOT NULL"
|
||||
),
|
||||
'constraints' => array(
|
||||
self::USER_TABLE => "UNIQUE KEY `unique_username` (`".Db::getText(self::USER_TABLE)."`)"
|
||||
),
|
||||
'cascading_delete' => array(
|
||||
self::USER_TABLE => array(self::SETTINGS_TABLE, Thought::THOUGHT_TABLE)
|
||||
)
|
||||
);
|
||||
}
|
||||
|
||||
/* Thoughts */
|
||||
|
||||
public function getThought($iThoughtId, $sFormat=self::OBJ)
|
||||
{
|
||||
$oThought = new Thought($this->oDb, $this->oAuth->getUserId());
|
||||
|
||||
if($iThoughtId=='last') $oThought->openLast(self::LAST_THOUGHT_LIMIT);
|
||||
else $oThought->open($iThoughtId);
|
||||
|
||||
switch($sFormat)
|
||||
{
|
||||
case self::OBJ:
|
||||
return $oThought; break;
|
||||
case self::ARRAY:
|
||||
return $oThought->get(); break;
|
||||
case self::JSON:
|
||||
return self::getJsonResult(true, '', $oThought->get()); break;
|
||||
}
|
||||
}
|
||||
|
||||
public function updateThought($asOps, $iThoughtId=0)
|
||||
{
|
||||
$oThought = new Thought($this->oDb, $this->oAuth->getUserId(), $iThoughtId);
|
||||
|
||||
$oThought->setOps($asOps);
|
||||
$iThoughtId = $oThought->save();
|
||||
|
||||
$bSuccess = ($iThoughtId>0);
|
||||
$sDesc = 'thought '.($bSuccess?'':'not ').'saved';
|
||||
return self::getJsonResult($bSuccess, $sDesc, $this->getThought($iThoughtId, self::ARRAY));
|
||||
}
|
||||
|
||||
public function getThoughtDates()
|
||||
{
|
||||
$asThoughts = Thought::getThoughtDates($this->oDb, $this->oAuth->getUserId());
|
||||
foreach($asThoughts as &$asThought) {
|
||||
$asThought['created_d'] = self::formatDate($asThought['created'], 'j M');
|
||||
$asThought['created_h'] = self::formatDate($asThought['created'], 'h:i');
|
||||
}
|
||||
return self::getJsonResult(true, '', $asThoughts);
|
||||
}
|
||||
|
||||
/* Static toolbox functions */
|
||||
|
||||
public static function getSafeNickName($sNickName)
|
||||
{
|
||||
return $sNickName;
|
||||
}
|
||||
|
||||
private static function formatDate($iTime, $sFormat, $sField='')
|
||||
{
|
||||
$iTime = ($sField == '')?$iTime:$iTime[$sField];
|
||||
$iTime = is_numeric($iTime)?$iTime:strtotime($iTime);
|
||||
return date($sFormat, $iTime);
|
||||
}
|
||||
}
|
||||
|
||||
?>
|
||||
@@ -5,6 +5,8 @@ class Thought extends PhpObject
|
||||
const THOUGHT_TABLE = 'thoughts';
|
||||
|
||||
private $iId;
|
||||
private $iPrevId;
|
||||
private $iNextId;
|
||||
private $iUserId;
|
||||
private $asOps;
|
||||
private $iCreateTimestamp;
|
||||
@@ -32,6 +34,7 @@ class Thought extends PhpObject
|
||||
public function setId($iId, $bOpen=true)
|
||||
{
|
||||
$this->iId = $iId;
|
||||
$this->iNextId = 0;
|
||||
if($this->iId > 0 && $bOpen) $this->open($this->iId);
|
||||
}
|
||||
|
||||
@@ -66,6 +69,8 @@ class Thought extends PhpObject
|
||||
$asWhere = array(Db::getId(self::THOUGHT_TABLE)=>$iId, Db::getId(MyThoughts::USER_TABLE) => $this->iUserId);
|
||||
$asInfo = $this->oDb->selectRow(self::THOUGHT_TABLE, $asWhere);
|
||||
|
||||
$this->iPrevId = $this->getRelativeThoughtId($iId, -1);
|
||||
$this->iNextId = $this->getRelativeThoughtId($iId, 1);
|
||||
$this->iId = $asInfo[Db::getId(self::THOUGHT_TABLE)];
|
||||
$this->iUserId = $asInfo[Db::getId(MyThoughts::USER_TABLE)];
|
||||
$this->asOps = self::decodeThought($asInfo[Db::getText(self::THOUGHT_TABLE)]);
|
||||
@@ -77,6 +82,23 @@ class Thought extends PhpObject
|
||||
else $this->addError('getting thought info with no thought id');
|
||||
}
|
||||
|
||||
private function getRelativeThoughtId($iId, $iOffset) {
|
||||
$iThoughtId = 0;
|
||||
$asThoughtIds = $this->oDb->selectRows(array(
|
||||
'select' => Db::getId(self::THOUGHT_TABLE),
|
||||
'from' => self::THOUGHT_TABLE,
|
||||
'constraint'=> array('id_thought'=> $iId, Db::getId(MyThoughts::USER_TABLE) => $this->iUserId),
|
||||
'constOpe' => array('id_thought'=> $iOffset>0?'>':'<', Db::getId(MyThoughts::USER_TABLE) => '='),
|
||||
'orderBy' => array(Db::getId(self::THOUGHT_TABLE) => $iOffset>0?'ASC':'DESC'),
|
||||
'limit' => abs($iOffset)
|
||||
));
|
||||
|
||||
$iIndex = abs($iOffset) - 1;
|
||||
if(array_key_exists($iIndex, $asThoughtIds)) $iThoughtId = $asThoughtIds[$iIndex];
|
||||
|
||||
return $iThoughtId;
|
||||
}
|
||||
|
||||
public function save()
|
||||
{
|
||||
$asThought = array(
|
||||
@@ -94,10 +116,13 @@ class Thought extends PhpObject
|
||||
{
|
||||
return array(
|
||||
'id' => $this->iId,
|
||||
'prev_id' => $this->iPrevId,
|
||||
'next_id' => $this->iNextId,
|
||||
'id_user' => $this->iUserId,
|
||||
'ops' => $this->asOps,
|
||||
'created' => $this->iCreateTimestamp,
|
||||
'created_f' => date('l, j F', $this->iCreateTimestamp),
|
||||
'created_d' => date('l, j F', $this->iCreateTimestamp),
|
||||
'created_h' => date('H:i', $this->iCreateTimestamp),
|
||||
'led' => $this->sLed
|
||||
);
|
||||
}
|
||||
|
||||
390
index.php
390
index.php
@@ -1,196 +1,196 @@
|
||||
<?php
|
||||
|
||||
/*
|
||||
MyThoughts Project
|
||||
http://git.lutran.fr/main.git
|
||||
Copyright (C) 2015 François Lutran
|
||||
|
||||
This program is free software: you can redistribute it and/or modify
|
||||
it under the terms of the GNU General Public License as published by
|
||||
the Free Software Foundation, either version 3 of the License, or
|
||||
(at your option) any later version.
|
||||
|
||||
This program is distributed in the hope that it will be useful,
|
||||
but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
GNU General Public License for more details.
|
||||
|
||||
You should have received a copy of the GNU General Public License
|
||||
along with this program. If not, see http://www.gnu.org/licenses
|
||||
*/
|
||||
|
||||
/* Requests Handler */
|
||||
|
||||
//Start buffering
|
||||
ob_start();
|
||||
require_once '../objects/class_management.php';
|
||||
$oClassManagement = new ClassManagement('mythoughts');
|
||||
ToolBox::cleanPost($_POST);
|
||||
ToolBox::cleanPost($_GET);
|
||||
ToolBox::cleanPost($_REQUEST);
|
||||
ToolBox::fixGlobalVars(isset($argv)?$argv:array());
|
||||
|
||||
//Available variables
|
||||
$sToken = isset($_REQUEST['token'])?$_REQUEST['token']:'';
|
||||
$sAction = isset($_REQUEST['a'])?$_REQUEST['a']:'';
|
||||
$sPage = isset($_GET['p'])?$_GET['p']:'index';
|
||||
$sNickName = isset($_REQUEST['nickname'])?$_REQUEST['nickname']:'';
|
||||
$iApiKey = isset($_GET['api'])?$_GET['api']:'';
|
||||
$sContent = isset($_POST['content'])?$_POST['content']:'';
|
||||
$iId = isset($_REQUEST['id'])?$_REQUEST['id']:0;
|
||||
|
||||
//Initiate class
|
||||
$oMyThoughts = new MyThoughts($oClassManagement, __FILE__);
|
||||
$bLoggedIn = $oMyThoughts->isLoggedIn();
|
||||
|
||||
$sResult = '';
|
||||
if($sAction=='logmein') $sResult = $oMyThoughts->logMeIn($sToken);
|
||||
elseif($sAction!='' && $bLoggedIn)
|
||||
{
|
||||
switch ($sAction)
|
||||
{
|
||||
case 'load':
|
||||
$sResult = $oMyThoughts->getThought($iId, MyThoughts::JSON);
|
||||
break;
|
||||
case 'update':
|
||||
$sResult = $oMyThoughts->updateThought($sContent, $iId);
|
||||
break;
|
||||
case 'thoughts':
|
||||
$sResult = $oMyThoughts->getThoughtDates();
|
||||
break;
|
||||
default:
|
||||
$sResult = MyThoughts::getJsonResult(false, MyThoughts::NOT_FOUND);
|
||||
}
|
||||
}
|
||||
elseif($sAction!='' && !$bLoggedIn)
|
||||
{
|
||||
if($oMyThoughts->checkApiKey($iApiKey))
|
||||
{
|
||||
switch ($sAction)
|
||||
{
|
||||
case '':
|
||||
//$sResult = $oMyThoughts->apifunction();
|
||||
break;
|
||||
default:
|
||||
$sResult = MyThoughts::getJsonResult(false, MyThoughts::NOT_FOUND);
|
||||
}
|
||||
}
|
||||
elseif($sAction=='register') $sResult = $oMyThoughts->register($sToken, $sNickName);
|
||||
else $sResult = MyThoughts::getJsonResult(false, MyThoughts::UNAUTHORIZED);
|
||||
}
|
||||
else $sResult = $oMyThoughts->getPage();
|
||||
|
||||
$sDebug = ob_get_clean();
|
||||
if(Settings::DEBUG && $sDebug!='') $oMyThoughts->addUncaughtError($sDebug);
|
||||
|
||||
echo $sResult;
|
||||
|
||||
/*
|
||||
|
||||
//load classes
|
||||
session_start();
|
||||
require_once 'config.php';
|
||||
|
||||
//clean sent values
|
||||
cleanPost($_POST);
|
||||
cleanPost($_GET);
|
||||
cleanPost($_REQUEST);
|
||||
|
||||
//general
|
||||
$sPage = (isset($_GET['p']) && $_GET['p']!='')?$_GET['p']:'w';
|
||||
$sPostToken = isset($_POST['post_token'])?$_POST['post_token']:'';
|
||||
|
||||
//logon
|
||||
$sLogin = (isset($_POST['login']) && $_POST['login']!='Nickname')?$_POST['login']:'';
|
||||
$sPass = (isset($_POST['pass']) && $_POST['pass']!='Password')?$_POST['pass']:'';
|
||||
$bRegister = (isset($_POST['register']) && $_POST['register']==1);
|
||||
|
||||
//writing pad
|
||||
$sThought = isset($_POST['thoughts'])?$_POST['thoughts']:'';
|
||||
$iThoughtId = (isset($_POST['thought_id']) && $_POST['thought_id']!='')?$_POST['thought_id']:0; //update or insert
|
||||
$bFinishedWriting = isset($_POST['finished']);
|
||||
|
||||
//calendar
|
||||
$iDay = isset($_GET['d'])?$_GET['d']:date(MyThoughts::URL_DATE_FORMAT); //d = yyyymmdd
|
||||
$iCalYear = isset($_GET[Calendar::CAL_YEAR])?$_GET[Calendar::CAL_YEAR]:0; //cy = yyyy
|
||||
$iCalMonth = isset($_GET[Calendar::CAL_MONTH])?$_GET[Calendar::CAL_MONTH]:0; //cm = m
|
||||
|
||||
$oMyThougths = new MyThoughts();
|
||||
$bValidPost = ($sPostToken!='' && $oMyThougths->checkPostToken($sPostToken));
|
||||
|
||||
if($bValidPost)
|
||||
{
|
||||
if($bRegister)
|
||||
{
|
||||
$oMyThougths->register($sLogin, $sPass);
|
||||
$sPage = 'r';
|
||||
}
|
||||
elseif($sLogin!='' && $sPass!='')
|
||||
{
|
||||
$oMyThougths->logMeIn($sLogin, $sPass);
|
||||
}
|
||||
}
|
||||
|
||||
//if loggued in
|
||||
if(!$oMyThougths->isLogguedIn())
|
||||
{
|
||||
$oMyThougths->logonPage($sLogin);
|
||||
}
|
||||
else
|
||||
{
|
||||
$oMyThougths->activateMenu();
|
||||
$oMyThougths->setCalendarDate();
|
||||
switch($sPage)
|
||||
{
|
||||
case 'w': //write a thought
|
||||
if($bValidPost && $sThought!='' && $sThought!='Talk to me.')
|
||||
{
|
||||
if($iThoughtId==0)
|
||||
{
|
||||
$iThoughtId = $oMyThougths->addThought($sThought);
|
||||
}
|
||||
else
|
||||
{
|
||||
$oMyThougths->updateThought($iThoughtId, $sThought);
|
||||
}
|
||||
}
|
||||
if($bFinishedWriting)
|
||||
{
|
||||
$oMyThougths->readingPage();
|
||||
}
|
||||
else
|
||||
{
|
||||
$oMyThougths->writingPage($iThoughtId);
|
||||
}
|
||||
break;
|
||||
case 'r': //read a thought (per day)
|
||||
if($iDay<=0 || !$oMyThougths->readingPage(strtotime($iDay)))
|
||||
{
|
||||
$oMyThougths->writingPage();
|
||||
}
|
||||
break;
|
||||
case 's': // go to settings page
|
||||
if($bValidPost)
|
||||
{
|
||||
$asSettings = array_intersect_key($_POST, array_flip($oMyThougths->getSettingsList()));
|
||||
$oMyThougths->setSettings($asSettings);
|
||||
$oMyThougths->writingPage();
|
||||
}
|
||||
else
|
||||
{
|
||||
$oMyThougths->settingsPage();
|
||||
}
|
||||
break;
|
||||
case 'q': //quit
|
||||
$oMyThougths->logMeOut();
|
||||
}
|
||||
|
||||
if($iCalYear!=0 && $iCalMonth!=0)
|
||||
{
|
||||
$oMyThougths->setCalendarDate($iCalYear, $iCalMonth);
|
||||
}
|
||||
}
|
||||
echo $oMyThougths->getPage();
|
||||
|
||||
*/
|
||||
<?php
|
||||
|
||||
/*
|
||||
MyThoughts Project
|
||||
https://git.lutran.fr/franzz/mythoughts
|
||||
Copyright (C) 2015 François Lutran
|
||||
|
||||
This program is free software: you can redistribute it and/or modify
|
||||
it under the terms of the GNU General Public License as published by
|
||||
the Free Software Foundation, either version 3 of the License, or
|
||||
(at your option) any later version.
|
||||
|
||||
This program is distributed in the hope that it will be useful,
|
||||
but WITHOUT ANY WARRANTY; without even the implied warranty of
|
||||
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
|
||||
GNU General Public License for more details.
|
||||
|
||||
You should have received a copy of the GNU General Public License
|
||||
along with this program. If not, see http://www.gnu.org/licenses
|
||||
*/
|
||||
|
||||
/* Requests Handler */
|
||||
|
||||
//Start buffering
|
||||
ob_start();
|
||||
require_once '../objects/class_management.php';
|
||||
$oClassManagement = new ClassManagement('mythoughts');
|
||||
ToolBox::cleanPost($_POST);
|
||||
ToolBox::cleanPost($_GET);
|
||||
ToolBox::cleanPost($_REQUEST);
|
||||
ToolBox::fixGlobalVars(isset($argv)?$argv:array());
|
||||
|
||||
//Available variables
|
||||
$sToken = isset($_REQUEST['token'])?$_REQUEST['token']:'';
|
||||
$sAction = isset($_REQUEST['a'])?$_REQUEST['a']:'';
|
||||
$sPage = isset($_GET['p'])?$_GET['p']:'index';
|
||||
$sNickName = isset($_REQUEST['nickname'])?$_REQUEST['nickname']:'';
|
||||
$iApiKey = isset($_GET['api'])?$_GET['api']:'';
|
||||
$sContent = isset($_POST['content'])?$_POST['content']:'';
|
||||
$iId = isset($_REQUEST['id'])?$_REQUEST['id']:0;
|
||||
|
||||
//Initiate class
|
||||
$oMyThoughts = new MyThoughts($oClassManagement, __FILE__);
|
||||
$bLoggedIn = $oMyThoughts->isLoggedIn();
|
||||
|
||||
$sResult = '';
|
||||
if($sAction=='logmein') $sResult = $oMyThoughts->logMeIn($sToken);
|
||||
elseif($sAction!='' && $bLoggedIn)
|
||||
{
|
||||
switch ($sAction)
|
||||
{
|
||||
case 'load':
|
||||
$sResult = $oMyThoughts->getThought($iId, MyThoughts::JSON);
|
||||
break;
|
||||
case 'update':
|
||||
$sResult = $oMyThoughts->updateThought($sContent, $iId);
|
||||
break;
|
||||
case 'thoughts':
|
||||
$sResult = $oMyThoughts->getThoughtDates();
|
||||
break;
|
||||
default:
|
||||
$sResult = MyThoughts::getJsonResult(false, MyThoughts::NOT_FOUND);
|
||||
}
|
||||
}
|
||||
elseif($sAction!='' && !$bLoggedIn)
|
||||
{
|
||||
if($oMyThoughts->checkApiKey($iApiKey))
|
||||
{
|
||||
switch ($sAction)
|
||||
{
|
||||
case '':
|
||||
//$sResult = $oMyThoughts->apifunction();
|
||||
break;
|
||||
default:
|
||||
$sResult = MyThoughts::getJsonResult(false, MyThoughts::NOT_FOUND);
|
||||
}
|
||||
}
|
||||
elseif($sAction=='register') $sResult = $oMyThoughts->register($sToken, $sNickName);
|
||||
else $sResult = MyThoughts::getJsonResult(false, MyThoughts::UNAUTHORIZED);
|
||||
}
|
||||
else $sResult = $oMyThoughts->getPage();
|
||||
|
||||
$sDebug = ob_get_clean();
|
||||
if(Settings::DEBUG && $sDebug!='') $oMyThoughts->addUncaughtError($sDebug);
|
||||
|
||||
echo $sResult;
|
||||
|
||||
/*
|
||||
|
||||
//load classes
|
||||
session_start();
|
||||
require_once 'config.php';
|
||||
|
||||
//clean sent values
|
||||
cleanPost($_POST);
|
||||
cleanPost($_GET);
|
||||
cleanPost($_REQUEST);
|
||||
|
||||
//general
|
||||
$sPage = (isset($_GET['p']) && $_GET['p']!='')?$_GET['p']:'w';
|
||||
$sPostToken = isset($_POST['post_token'])?$_POST['post_token']:'';
|
||||
|
||||
//logon
|
||||
$sLogin = (isset($_POST['login']) && $_POST['login']!='Nickname')?$_POST['login']:'';
|
||||
$sPass = (isset($_POST['pass']) && $_POST['pass']!='Password')?$_POST['pass']:'';
|
||||
$bRegister = (isset($_POST['register']) && $_POST['register']==1);
|
||||
|
||||
//writing pad
|
||||
$sThought = isset($_POST['thoughts'])?$_POST['thoughts']:'';
|
||||
$iThoughtId = (isset($_POST['thought_id']) && $_POST['thought_id']!='')?$_POST['thought_id']:0; //update or insert
|
||||
$bFinishedWriting = isset($_POST['finished']);
|
||||
|
||||
//calendar
|
||||
$iDay = isset($_GET['d'])?$_GET['d']:date(MyThoughts::URL_DATE_FORMAT); //d = yyyymmdd
|
||||
$iCalYear = isset($_GET[Calendar::CAL_YEAR])?$_GET[Calendar::CAL_YEAR]:0; //cy = yyyy
|
||||
$iCalMonth = isset($_GET[Calendar::CAL_MONTH])?$_GET[Calendar::CAL_MONTH]:0; //cm = m
|
||||
|
||||
$oMyThougths = new MyThoughts();
|
||||
$bValidPost = ($sPostToken!='' && $oMyThougths->checkPostToken($sPostToken));
|
||||
|
||||
if($bValidPost)
|
||||
{
|
||||
if($bRegister)
|
||||
{
|
||||
$oMyThougths->register($sLogin, $sPass);
|
||||
$sPage = 'r';
|
||||
}
|
||||
elseif($sLogin!='' && $sPass!='')
|
||||
{
|
||||
$oMyThougths->logMeIn($sLogin, $sPass);
|
||||
}
|
||||
}
|
||||
|
||||
//if loggued in
|
||||
if(!$oMyThougths->isLogguedIn())
|
||||
{
|
||||
$oMyThougths->logonPage($sLogin);
|
||||
}
|
||||
else
|
||||
{
|
||||
$oMyThougths->activateMenu();
|
||||
$oMyThougths->setCalendarDate();
|
||||
switch($sPage)
|
||||
{
|
||||
case 'w': //write a thought
|
||||
if($bValidPost && $sThought!='' && $sThought!='Talk to me.')
|
||||
{
|
||||
if($iThoughtId==0)
|
||||
{
|
||||
$iThoughtId = $oMyThougths->addThought($sThought);
|
||||
}
|
||||
else
|
||||
{
|
||||
$oMyThougths->updateThought($iThoughtId, $sThought);
|
||||
}
|
||||
}
|
||||
if($bFinishedWriting)
|
||||
{
|
||||
$oMyThougths->readingPage();
|
||||
}
|
||||
else
|
||||
{
|
||||
$oMyThougths->writingPage($iThoughtId);
|
||||
}
|
||||
break;
|
||||
case 'r': //read a thought (per day)
|
||||
if($iDay<=0 || !$oMyThougths->readingPage(strtotime($iDay)))
|
||||
{
|
||||
$oMyThougths->writingPage();
|
||||
}
|
||||
break;
|
||||
case 's': // go to settings page
|
||||
if($bValidPost)
|
||||
{
|
||||
$asSettings = array_intersect_key($_POST, array_flip($oMyThougths->getSettingsList()));
|
||||
$oMyThougths->setSettings($asSettings);
|
||||
$oMyThougths->writingPage();
|
||||
}
|
||||
else
|
||||
{
|
||||
$oMyThougths->settingsPage();
|
||||
}
|
||||
break;
|
||||
case 'q': //quit
|
||||
$oMyThougths->logMeOut();
|
||||
}
|
||||
|
||||
if($iCalYear!=0 && $iCalMonth!=0)
|
||||
{
|
||||
$oMyThougths->setCalendarDate($iCalYear, $iCalMonth);
|
||||
}
|
||||
}
|
||||
echo $oMyThougths->getPage();
|
||||
|
||||
*/
|
||||
?>
|
||||
@@ -1,23 +1,23 @@
|
||||
<!DOCTYPE html>
|
||||
<html>
|
||||
<head>
|
||||
<meta http-equiv="content-type" content="text/html; charset=UTF-8" />
|
||||
<meta name="author" content="Franzz" />
|
||||
<link href="style/mythoughts.css" rel="stylesheet" type="text/css" />
|
||||
<script type="text/javascript" src="scripts/jquery.min.js"></script>
|
||||
<script type="text/javascript" src="scripts/bootstrap.bundle.min.js"></script>
|
||||
<script type="text/javascript" src="scripts/jquery.mousewheel.min.js"></script>
|
||||
<script type="text/javascript" src="scripts/quill.min.js"></script>
|
||||
<script type="text/javascript" src="scripts/common.js"></script>
|
||||
<script type="text/javascript" src="scripts/mythoughts.js"></script>
|
||||
<link rel="shortcut icon" href="images/favicon2.ico" />
|
||||
<title>My Thoughts</title>
|
||||
<script type="text/javascript">
|
||||
var oMyThoughts = new MyThoughts(asGlobalVars);
|
||||
$(document).ready(oMyThoughts.init);
|
||||
</script>
|
||||
</head>
|
||||
<body>
|
||||
<div id="container"></div>
|
||||
</body>
|
||||
<!DOCTYPE html>
|
||||
<html>
|
||||
<head>
|
||||
<meta http-equiv="content-type" content="text/html; charset=UTF-8" />
|
||||
<meta name="author" content="Franzz" />
|
||||
<link href="style/mythoughts.css" rel="stylesheet" type="text/css" />
|
||||
<script type="text/javascript" src="scripts/jquery.min.js"></script>
|
||||
<script type="text/javascript" src="scripts/bootstrap.bundle.min.js"></script>
|
||||
<script type="text/javascript" src="scripts/jquery.mousewheel.min.js"></script>
|
||||
<script type="text/javascript" src="scripts/quill.min.js"></script>
|
||||
<script type="text/javascript" src="scripts/common.js"></script>
|
||||
<script type="text/javascript" src="scripts/mythoughts.js"></script>
|
||||
<link rel="shortcut icon" href="images/favicon2.ico" />
|
||||
<title>My Thoughts</title>
|
||||
<script type="text/javascript">
|
||||
var oMyThoughts = new MyThoughts(asGlobalVars);
|
||||
$(document).ready(oMyThoughts.init);
|
||||
</script>
|
||||
</head>
|
||||
<body>
|
||||
<div id="container"></div>
|
||||
</body>
|
||||
</html>
|
||||
190
masks/logon.html
190
masks/logon.html
@@ -1,96 +1,96 @@
|
||||
<div id="logon" class="border border-grey-400 shadow rounded">
|
||||
<form name="post_logon" id="post_logon" method="post">
|
||||
<div class="form-group align-items-center">
|
||||
<div class="input-group">
|
||||
<div class="input-group-prepend">
|
||||
<span class="input-group-text" data-toggle="tooltip" data-placement="left" title="Username"><i class="fal fa-user"></i></span>
|
||||
</div>
|
||||
<input type="text" class="form-control" placeholder="Nickname" name="login" id="login" tool value="Franzz" />
|
||||
</div>
|
||||
</div>
|
||||
<div class="form-group align-items-center">
|
||||
<div class="input-group">
|
||||
<div class="input-group-prepend">
|
||||
<span class="input-group-text" data-toggle="tooltip" data-placement="left" title="Password"><i class="fal fa-password"></i></span>
|
||||
</div>
|
||||
<input type="password" class="form-control" placeholder="Password" name="pass" id="pass" value="123456" />
|
||||
</div>
|
||||
</div>
|
||||
<div id="pass_conf_box" class="form-group align-items-center collapse">
|
||||
<div class="input-group">
|
||||
<div class="input-group-prepend">
|
||||
<span class="input-group-text" data-toggle="tooltip" data-placement="left" title="Repeat password">
|
||||
<i class="fal fa-password first"></i>
|
||||
<i class="fal fa-password second"></i>
|
||||
</span>
|
||||
</div>
|
||||
<input type="password" class="form-control" placeholder="Confirm password" name="pass_conf" id="pass_conf" value="123456" />
|
||||
</div>
|
||||
</div>
|
||||
<div id="btn_box" class="btn-toolbar justify-content-between" role="toolbar">
|
||||
<button type="button" class="btn btn-secondary shadow-sm transition" id="register">Register</button>
|
||||
<button type="button" class="btn btn-primary shadow-sm" name="signin" id="signin">Sign in</button>
|
||||
</div>
|
||||
</form>
|
||||
</div>
|
||||
<script type="text/javascript">
|
||||
oMyThoughts.pageInit = function(asHash, bFirstPage)
|
||||
{
|
||||
self.elem.$Main.addClass('no_frame');
|
||||
$('[data-toggle="tooltip"]').tooltip();
|
||||
|
||||
//$(window).keyup(function(e){if(e.which==13) logMeIn();});
|
||||
$('#signin').click(logMeIn);
|
||||
$('#register').on('click submit', function(event){
|
||||
event.preventDefault();
|
||||
$(this)
|
||||
.blur()
|
||||
.off('click')
|
||||
.click(register);
|
||||
$('#pass_conf_box').collapse('show');
|
||||
$('#signin').hide('fast', function(){$('#btn_box').addClass('registering');});
|
||||
});
|
||||
};
|
||||
|
||||
function logMeIn()
|
||||
{
|
||||
var oChecker = $('#post_logon').checkForm('#login, #pass');
|
||||
if(oChecker.success)
|
||||
{
|
||||
var asInputs = getInputs();
|
||||
Tools.ajax(
|
||||
'logmein',
|
||||
oMyThoughts.loadHome,
|
||||
{token: getToken(asInputs)},
|
||||
);
|
||||
}
|
||||
else Tools.feedback('warning', oChecker.desc);
|
||||
}
|
||||
|
||||
function register()
|
||||
{
|
||||
var oChecker = $('#post_logon').checkForm();
|
||||
if(oChecker.success)
|
||||
{
|
||||
var asInputs = getInputs();
|
||||
Tools.ajax(
|
||||
'register',
|
||||
oMyThoughts.loadHome,
|
||||
{token: getToken(asInputs), nickname:asInputs.nickname}
|
||||
);
|
||||
}
|
||||
else Tools.feedback('warning', oChecker.desc);
|
||||
}
|
||||
|
||||
function getInputs() {
|
||||
var sNickname = $('#login').val();
|
||||
var sUsername = sNickname.toLowerCase().replace(/\s+/g, '');
|
||||
var sPass = $.trim($('#pass').val());
|
||||
|
||||
return {username: sUsername, nickname: sNickname, pass: sPass};
|
||||
}
|
||||
|
||||
function getToken(asInputs) {
|
||||
return md5(asInputs.username)+oMyThoughts.consts.token_sep+getLoginToken(asInputs.pass);
|
||||
}
|
||||
<div id="logon" class="border border-grey-400 shadow rounded">
|
||||
<form name="post_logon" id="post_logon" method="post">
|
||||
<div class="form-group align-items-center">
|
||||
<div class="input-group">
|
||||
<div class="input-group-prepend">
|
||||
<span class="input-group-text" data-toggle="tooltip" data-placement="left" title="Username"><i class="fal fa-user"></i></span>
|
||||
</div>
|
||||
<input type="text" class="form-control" placeholder="Nickname" name="login" id="login" tool value="Franzz" />
|
||||
</div>
|
||||
</div>
|
||||
<div class="form-group align-items-center">
|
||||
<div class="input-group">
|
||||
<div class="input-group-prepend">
|
||||
<span class="input-group-text" data-toggle="tooltip" data-placement="left" title="Password"><i class="fal fa-password"></i></span>
|
||||
</div>
|
||||
<input type="password" class="form-control" placeholder="Password" name="pass" id="pass" value="123456" />
|
||||
</div>
|
||||
</div>
|
||||
<div id="pass_conf_box" class="form-group align-items-center collapse">
|
||||
<div class="input-group">
|
||||
<div class="input-group-prepend">
|
||||
<span class="input-group-text" data-toggle="tooltip" data-placement="left" title="Repeat password">
|
||||
<i class="fal fa-password first"></i>
|
||||
<i class="fal fa-password second"></i>
|
||||
</span>
|
||||
</div>
|
||||
<input type="password" class="form-control" placeholder="Confirm password" name="pass_conf" id="pass_conf" value="123456" />
|
||||
</div>
|
||||
</div>
|
||||
<div id="btn_box" class="btn-toolbar justify-content-between" role="toolbar">
|
||||
<button type="button" class="btn btn-secondary shadow-sm transition" id="register">Register</button>
|
||||
<button type="button" class="btn btn-primary shadow-sm" name="signin" id="signin">Sign in</button>
|
||||
</div>
|
||||
</form>
|
||||
</div>
|
||||
<script type="text/javascript">
|
||||
oMyThoughts.pageInit = function(asHash, bFirstPage)
|
||||
{
|
||||
self.elem.$Main.addClass('no_frame');
|
||||
$('[data-toggle="tooltip"]').tooltip();
|
||||
|
||||
//$(window).keyup(function(e){if(e.which==13) logMeIn();});
|
||||
$('#signin').click(logMeIn);
|
||||
$('#register').on('click submit', function(event){
|
||||
event.preventDefault();
|
||||
$(this)
|
||||
.blur()
|
||||
.off('click')
|
||||
.click(register);
|
||||
$('#pass_conf_box').collapse('show');
|
||||
$('#signin').hide('fast', function(){$('#btn_box').addClass('registering');});
|
||||
});
|
||||
};
|
||||
|
||||
function logMeIn()
|
||||
{
|
||||
var oChecker = $('#post_logon').checkForm('#login, #pass');
|
||||
if(oChecker.success)
|
||||
{
|
||||
var asInputs = getInputs();
|
||||
Tools.ajax(
|
||||
'logmein',
|
||||
oMyThoughts.loadHome,
|
||||
{token: getToken(asInputs)},
|
||||
);
|
||||
}
|
||||
else Tools.feedback('warning', oChecker.desc);
|
||||
}
|
||||
|
||||
function register()
|
||||
{
|
||||
var oChecker = $('#post_logon').checkForm();
|
||||
if(oChecker.success)
|
||||
{
|
||||
var asInputs = getInputs();
|
||||
Tools.ajax(
|
||||
'register',
|
||||
oMyThoughts.loadHome,
|
||||
{token: getToken(asInputs), nickname:asInputs.nickname}
|
||||
);
|
||||
}
|
||||
else Tools.feedback('warning', oChecker.desc);
|
||||
}
|
||||
|
||||
function getInputs() {
|
||||
var sNickname = $('#login').val();
|
||||
var sUsername = sNickname.toLowerCase().replace(/\s+/g, '');
|
||||
var sPass = $.trim($('#pass').val());
|
||||
|
||||
return {username: sUsername, nickname: sNickname, pass: sPass};
|
||||
}
|
||||
|
||||
function getToken(asInputs) {
|
||||
return md5(asInputs.username)+oMyThoughts.consts.token_sep+getLoginToken(asInputs.pass);
|
||||
}
|
||||
</script>
|
||||
@@ -1,13 +1,18 @@
|
||||
<div id="read"></div>
|
||||
<script type="text/javascript">
|
||||
oMyThoughts.pageInit = function(asHash, bFirstPage) {
|
||||
oEditor = new Editor('#read', true);
|
||||
oEditor.open(asHash.items[0]);
|
||||
};
|
||||
|
||||
oMyThoughts.onSamePageMove = function(asHash) {
|
||||
$('#read').empty();
|
||||
self.pageInit(self.getHash());
|
||||
return false;
|
||||
};
|
||||
<div id="read"></div>
|
||||
<script type="text/javascript">
|
||||
oMyThoughts.pageInit = function(asHash, bFirstPage) {
|
||||
oEditor = new Editor('#read', true);
|
||||
oEditor.open(asHash.items[0]);
|
||||
};
|
||||
|
||||
oMyThoughts.onSamePageMove = function(asHash) {
|
||||
$('#read').empty();
|
||||
self.pageInit(self.getHash());
|
||||
return false;
|
||||
};
|
||||
|
||||
oMyThoughts.onKeydown = function(oEvent) {
|
||||
if(oEvent.which == 37 || oEvent.which == 38) oEditor.prevPage();
|
||||
else if(oEvent.which == 39 || oEvent.which == 40) oEditor.nextPage();
|
||||
}
|
||||
</script>
|
||||
@@ -1,17 +1,17 @@
|
||||
<div id="feedback"></div>
|
||||
<div id="header"></div>
|
||||
<div id="menu">
|
||||
<ul>
|
||||
<li><a href="#settings" class="button fal fa-settings"></a></li>
|
||||
<li><a href="#logoff" class="button fal fa-logoff"></a></li>
|
||||
</ul>
|
||||
</div>
|
||||
<div id="main"></div>
|
||||
<div id="side">
|
||||
<div class="tag write"><a href="#write" class="fal fa-write"></a></div>
|
||||
</div>
|
||||
<footer>
|
||||
<span>Designed and powered by Franzz & Clarita. </span>
|
||||
<span>My Thoughts Project under <a href="http://www.gnu.org/licenses/gpl.html" target="_blank">GPLv3</a> License.</span>
|
||||
</footer>
|
||||
<div id="feedback"></div>
|
||||
<div id="header"></div>
|
||||
<div id="menu">
|
||||
<ul>
|
||||
<li><a href="#settings" class="button fal fa-settings"></a></li>
|
||||
<li><a href="#logoff" class="button fal fa-logoff"></a></li>
|
||||
</ul>
|
||||
</div>
|
||||
<div id="main"></div>
|
||||
<div id="side">
|
||||
<div class="tag write"><a href="#write" class="fal fa-write"></a></div>
|
||||
</div>
|
||||
<footer>
|
||||
<span>Designed and powered by Franzz & Clarita. </span>
|
||||
<span>My Thoughts Project under <a href="http://www.gnu.org/licenses/gpl.html" target="_blank">GPLv3</a> License.</span>
|
||||
</footer>
|
||||
#errors#
|
||||
220
masks/write.html
220
masks/write.html
@@ -1,111 +1,111 @@
|
||||
<div id="write">
|
||||
<div id="write_feedback"></div>
|
||||
<div id="edi_write"></div>
|
||||
</div>
|
||||
<script type="text/javascript">
|
||||
oMyThoughts.pageInit = function(asHash, bFirstPage)
|
||||
{
|
||||
self.tmp('default_text', "\n");
|
||||
self.tmp('keystrokes', 0);
|
||||
self.tmp('saving', false);
|
||||
|
||||
oEditor = new Editor('#edi_write');
|
||||
oEditor.onKeyStroke = (e) => {
|
||||
if(e.which == 83 && e.ctrlKey) {
|
||||
e.preventDefault();
|
||||
save(true);
|
||||
}
|
||||
else save();
|
||||
}
|
||||
oEditor.moveToPage('last');
|
||||
};
|
||||
|
||||
oMyThoughts.onFeedback = function(sType, sMsg)
|
||||
{
|
||||
var $Feedback = $('#write_feedback').stop();
|
||||
if(sMsg != $Feedback.find('span').text()) {
|
||||
$Feedback.fadeOut($Feedback.is(':empty')?0:'fast', function(){
|
||||
$(this)
|
||||
.empty()
|
||||
.append($('<span>', {'class':sType}).text(sMsg))
|
||||
.fadeIn('fast');
|
||||
});
|
||||
}
|
||||
};
|
||||
|
||||
oMyThoughts.onQuitPage = function()
|
||||
{
|
||||
return save(true);
|
||||
};
|
||||
|
||||
function save(bForce)
|
||||
{
|
||||
if(typeof oSaveTimer != 'undefined') clearTimeout(oSaveTimer);
|
||||
var bSave = (oEditor.keystrokes % 20 == 0 || bForce);
|
||||
|
||||
if(bSave) {
|
||||
if(self.tmp('saving')) {
|
||||
oSaveTimer = setTimeout(function(){save(true);}, 500);
|
||||
}
|
||||
else {
|
||||
var sContent = oEditor.getContent();
|
||||
if(!oEditor.isEmpty() || oEditor.id != 0) {
|
||||
self.tmp('saving', true);
|
||||
oMyThoughts.onFeedback('info', 'Saving...');
|
||||
getInfo(
|
||||
'update',
|
||||
function(sDesc, asData) {
|
||||
if(oEditor.id == 0) oMyThoughts.updateSideMenu();
|
||||
oEditor.id = asData.id;
|
||||
oMyThoughts.feedback('notice', 'Thought saved ('+asData.led.substr(11, 5)+')');
|
||||
self.tmp('saving', false);
|
||||
},
|
||||
{
|
||||
id: oEditor.id,
|
||||
content: sContent
|
||||
},
|
||||
function(sError) {
|
||||
oMyThoughts.feedback('error', 'Not saved! An error occured: '+sError);
|
||||
self.tmp('saving', false);
|
||||
oSaveTimer = setTimeout(save, 1000);
|
||||
},
|
||||
'POST'
|
||||
);
|
||||
}
|
||||
}
|
||||
}
|
||||
else {
|
||||
oSaveTimer = setTimeout(function(){save(true);}, 1000*10);
|
||||
}
|
||||
return true;
|
||||
}
|
||||
|
||||
/*function setLastContent(oQuill, fCallback)
|
||||
{
|
||||
getInfo
|
||||
(
|
||||
'load',
|
||||
function(sDesc, asData)
|
||||
{
|
||||
if(asData.ops.length != 1 || asData.ops[0].insert != '' && false) {
|
||||
var $Date = $('<p>', {'class':'entry_date'}).text(asData.created_f);
|
||||
|
||||
var $Sep = $('<div>', {'class':'entry_sep'})
|
||||
.text('~')
|
||||
.click(function(){oQuill.focus();});
|
||||
|
||||
oQuill.setContents(asData.ops);
|
||||
$('#context')
|
||||
.append($('#editor .ql-editor').html())
|
||||
.append($Date)
|
||||
.append($Sep);
|
||||
|
||||
oQuill.setContents([]);
|
||||
}
|
||||
else oQuill.focus();
|
||||
if(typeof fCallback == 'function') fCallback();
|
||||
},
|
||||
{id: 'last'}
|
||||
);
|
||||
}*/
|
||||
<div id="write">
|
||||
<div id="write_feedback"></div>
|
||||
<div id="edi_write"></div>
|
||||
</div>
|
||||
<script type="text/javascript">
|
||||
oMyThoughts.pageInit = function(asHash, bFirstPage)
|
||||
{
|
||||
self.tmp('default_text', "\n");
|
||||
self.tmp('keystrokes', 0);
|
||||
self.tmp('saving', false);
|
||||
|
||||
oEditor = new Editor('#edi_write');
|
||||
oEditor.onKeyStroke = (e) => {
|
||||
if(e.which == 83 && e.ctrlKey) {
|
||||
e.preventDefault();
|
||||
save(true);
|
||||
}
|
||||
else save();
|
||||
}
|
||||
oEditor.moveToPage('last');
|
||||
};
|
||||
|
||||
oMyThoughts.onFeedback = function(sType, sMsg)
|
||||
{
|
||||
var $Feedback = $('#write_feedback').stop();
|
||||
if(sMsg != $Feedback.find('span').text()) {
|
||||
$Feedback.fadeOut($Feedback.is(':empty')?0:'fast', function(){
|
||||
$(this)
|
||||
.empty()
|
||||
.append($('<span>', {'class':sType}).text(sMsg))
|
||||
.fadeIn('fast');
|
||||
});
|
||||
}
|
||||
};
|
||||
|
||||
oMyThoughts.onQuitPage = function()
|
||||
{
|
||||
return save(true);
|
||||
};
|
||||
|
||||
function save(bForce)
|
||||
{
|
||||
if(typeof oSaveTimer != 'undefined') clearTimeout(oSaveTimer);
|
||||
var bSave = (oEditor.keystrokes % 20 == 0 || bForce);
|
||||
|
||||
if(bSave) {
|
||||
if(self.tmp('saving')) {
|
||||
oSaveTimer = setTimeout(function(){save(true);}, 500);
|
||||
}
|
||||
else {
|
||||
var sContent = oEditor.getContent();
|
||||
if(!oEditor.isEmpty() || oEditor.id != 0) {
|
||||
self.tmp('saving', true);
|
||||
oMyThoughts.onFeedback('info', 'Saving...');
|
||||
getInfo(
|
||||
'update',
|
||||
function(sDesc, asData) {
|
||||
if(oEditor.id == 0) oMyThoughts.updateSideMenu();
|
||||
oEditor.id = asData.id;
|
||||
oMyThoughts.feedback('notice', 'Thought saved ('+asData.led.substr(11, 5)+')');
|
||||
self.tmp('saving', false);
|
||||
},
|
||||
{
|
||||
id: oEditor.id,
|
||||
content: sContent
|
||||
},
|
||||
function(sError) {
|
||||
oMyThoughts.feedback('error', 'Not saved! An error occured: '+sError);
|
||||
self.tmp('saving', false);
|
||||
oSaveTimer = setTimeout(save, 1000);
|
||||
},
|
||||
'POST'
|
||||
);
|
||||
}
|
||||
}
|
||||
}
|
||||
else {
|
||||
oSaveTimer = setTimeout(function(){save(true);}, 1000*10);
|
||||
}
|
||||
return true;
|
||||
}
|
||||
|
||||
/*function setLastContent(oQuill, fCallback)
|
||||
{
|
||||
getInfo
|
||||
(
|
||||
'load',
|
||||
function(sDesc, asData)
|
||||
{
|
||||
if(asData.ops.length != 1 || asData.ops[0].insert != '' && false) {
|
||||
var $Date = $('<p>', {'class':'entry_date'}).text(asData.created_f);
|
||||
|
||||
var $Sep = $('<div>', {'class':'entry_sep'})
|
||||
.text('~')
|
||||
.click(function(){oQuill.focus();});
|
||||
|
||||
oQuill.setContents(asData.ops);
|
||||
$('#context')
|
||||
.append($('#editor .ql-editor').html())
|
||||
.append($Date)
|
||||
.append($Sep);
|
||||
|
||||
oQuill.setContents([]);
|
||||
}
|
||||
else oQuill.focus();
|
||||
if(typeof fCallback == 'function') fCallback();
|
||||
},
|
||||
{id: 'last'}
|
||||
);
|
||||
}*/
|
||||
</script>
|
||||
1330
scripts/common.js
1330
scripts/common.js
File diff suppressed because it is too large
Load Diff
File diff suppressed because it is too large
Load Diff
@@ -1,30 +1,30 @@
|
||||
$fa-font-path: "fa/fonts";
|
||||
$fa-css-prefix: fa;
|
||||
|
||||
@import 'fa/light';
|
||||
@import 'fa/mixins';
|
||||
@import 'fa/core';
|
||||
@import 'fa/larger';
|
||||
@import 'fa/fixed-width';
|
||||
@import 'fa/list';
|
||||
@import 'fa/bordered-pulled';
|
||||
@import 'fa/animated';
|
||||
@import 'fa/rotated-flipped';
|
||||
@import 'fa/stacked';
|
||||
|
||||
.#{$fa-css-prefix}-user:before { content: fa-content($fa-var-user); }
|
||||
.#{$fa-css-prefix}-password:before { content: fa-content($fa-var-key); }
|
||||
|
||||
//Menu
|
||||
.#{$fa-css-prefix}-write:before { content: fa-content($fa-var-pen); }
|
||||
.#{$fa-css-prefix}-settings:before { content: fa-content($fa-var-cog); }
|
||||
.#{$fa-css-prefix}-logoff:before { content: fa-content($fa-var-sign-out); }
|
||||
|
||||
//Writer
|
||||
.#{$fa-css-prefix}-bold:before { content: fa-content($fa-var-bold); }
|
||||
.#{$fa-css-prefix}-underline:before { content: fa-content($fa-var-underline); }
|
||||
.#{$fa-css-prefix}-ol:before { content: fa-content($fa-var-list-ol); }
|
||||
.#{$fa-css-prefix}-ul:before { content: fa-content($fa-var-list-ul); }
|
||||
.#{$fa-css-prefix}-strike:before { content: fa-content($fa-var-strikethrough); }
|
||||
.#{$fa-css-prefix}-prev:before { content: fa-content($fa-var-angle-left); }
|
||||
.#{$fa-css-prefix}-next:before { content: fa-content($fa-var-angle-right); }
|
||||
$fa-font-path: "fa/fonts";
|
||||
$fa-css-prefix: fa;
|
||||
|
||||
@import 'fa/light';
|
||||
@import 'fa/mixins';
|
||||
@import 'fa/core';
|
||||
@import 'fa/larger';
|
||||
@import 'fa/fixed-width';
|
||||
@import 'fa/list';
|
||||
@import 'fa/bordered-pulled';
|
||||
@import 'fa/animated';
|
||||
@import 'fa/rotated-flipped';
|
||||
@import 'fa/stacked';
|
||||
|
||||
.#{$fa-css-prefix}-user:before { content: fa-content($fa-var-user); }
|
||||
.#{$fa-css-prefix}-password:before { content: fa-content($fa-var-key); }
|
||||
|
||||
//Menu
|
||||
.#{$fa-css-prefix}-write:before { content: fa-content($fa-var-pen); }
|
||||
.#{$fa-css-prefix}-settings:before { content: fa-content($fa-var-cog); }
|
||||
.#{$fa-css-prefix}-logoff:before { content: fa-content($fa-var-sign-out); }
|
||||
|
||||
//Writer
|
||||
.#{$fa-css-prefix}-bold:before { content: fa-content($fa-var-bold); }
|
||||
.#{$fa-css-prefix}-underline:before { content: fa-content($fa-var-underline); }
|
||||
.#{$fa-css-prefix}-ol:before { content: fa-content($fa-var-list-ol); }
|
||||
.#{$fa-css-prefix}-ul:before { content: fa-content($fa-var-list-ul); }
|
||||
.#{$fa-css-prefix}-strike:before { content: fa-content($fa-var-strikethrough); }
|
||||
.#{$fa-css-prefix}-prev:before { content: fa-content($fa-var-angle-left); }
|
||||
.#{$fa-css-prefix}-next:before { content: fa-content($fa-var-angle-right); }
|
||||
|
||||
@@ -28,13 +28,36 @@
|
||||
font-family: $font_para;
|
||||
font-size: 14px;
|
||||
|
||||
& > p + p > .edi_thought_date, & > p + p > .edi_thought_time {
|
||||
padding-top: 1em;
|
||||
}
|
||||
|
||||
div {
|
||||
margin: 0;
|
||||
|
||||
&.edi_header {
|
||||
&.edi_thought_date {
|
||||
width: calc(50% - 1.5em);
|
||||
}
|
||||
|
||||
&.edi_thought_date, &.edi_thought_time {
|
||||
color: $gray-500;
|
||||
font-style: italic;
|
||||
line-height: 3em;
|
||||
display: inline-block;
|
||||
text-indent: 0;
|
||||
|
||||
& + .edi_thought_date {
|
||||
text-align: right;
|
||||
margin-right: 2px;
|
||||
padding-top: 0;
|
||||
width: calc(50% - 2px);
|
||||
}
|
||||
}
|
||||
|
||||
&.edi_thought_time {
|
||||
text-align: right;
|
||||
margin-right: 2px;
|
||||
width: 100%;
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
File diff suppressed because one or more lines are too long
File diff suppressed because one or more lines are too long
@@ -1 +1 @@
|
||||
sass --unix-newline -l --style=compressed --watch mythoughts.scss:mythoughts.css
|
||||
sass --style=compressed --watch mythoughts.scss:mythoughts.css --poll
|
||||
Reference in New Issue
Block a user