Saturday, December 26, 2015

asp.net mvc4 account contoller with FacebookScopedClient, OAuthWebSecurity.RegisterClient

AccountController


using System;
using System.Collections.Generic;
using System.Linq;
using System.Transactions;
using System.Web;
using System.Web.Mvc;
using System.Web.Security;
using DotNetOpenAuth.AspNet;
using Microsoft.Web.WebPages.OAuth;
using WebMatrix.WebData;
using FBIntegrationSimple.Filters;
using FBIntegrationSimple.Models;
using System.Text.RegularExpressions;

namespace FBIntegrationSimple.Controllers
{
    [Authorize]
    [InitializeSimpleMembership]
    public class AccountController : Controller
    {
        //
        // GET: /Account/Login

        [AllowAnonymous]
        public ActionResult Login(string returnUrl)
        {
            ViewBag.ReturnUrl = returnUrl;
            return View();
        }

        //
        // POST: /Account/Login

        [HttpPost]
        [AllowAnonymous]
        [ValidateAntiForgeryToken]
        public ActionResult Login(LoginModel model, string returnUrl)
        {
            if (ModelState.IsValid && WebSecurity.Login(model.UserName, model.Password, persistCookie: model.RememberMe))
            {
                return RedirectToLocal(returnUrl);
            }

            // If we got this far, something failed, redisplay form
            ModelState.AddModelError("", "The user name or password provided is incorrect.");
            return View(model);
        }

        //
        // POST: /Account/LogOff

        [HttpPost]
        [ValidateAntiForgeryToken]
        public ActionResult LogOff()
        {
            //Clears out Session
            Response.Cookies.Clear();

            //Signs out of WebSecurity and FormsAuthentication
            WebSecurity.Logout();
           
            FormsAuthentication.SignOut();

            // clear authentication cookie
            HttpCookie cookie1 = new HttpCookie(FormsAuthentication.FormsCookieName, "");
            cookie1.Expires = DateTime.Now.AddYears(-1);
            Response.Cookies.Add(cookie1);

            Session.Clear();
            Session.Abandon();

            return RedirectToAction("Index", "Home");
        }

        //
        // GET: /Account/Register

        [AllowAnonymous]
        public ActionResult Register()
        {
            return View();
        }

        //
        // POST: /Account/Register

        [HttpPost]
        [AllowAnonymous]
        [ValidateAntiForgeryToken]
        public ActionResult Register(RegisterModel model)
        {
            if (ModelState.IsValid)
            {
                // Attempt to register the user
                try
                {
                    WebSecurity.CreateUserAndAccount(model.UserName, model.Password);
                    WebSecurity.Login(model.UserName, model.Password);
                    return RedirectToAction("Index", "Home");
                }
                catch (MembershipCreateUserException e)
                {
                    ModelState.AddModelError("", ErrorCodeToString(e.StatusCode));
                }
            }

            // If we got this far, something failed, redisplay form
            return View(model);
        }

        //
        // POST: /Account/Disassociate

        [HttpPost]
        [ValidateAntiForgeryToken]
        public ActionResult Disassociate(string provider, string providerUserId)
        {
            string ownerAccount = OAuthWebSecurity.GetUserName(provider, providerUserId);
            ManageMessageId? message = null;

            // Only disassociate the account if the currently logged in user is the owner
            if (ownerAccount == User.Identity.Name)
            {
                // Use a transaction to prevent the user from deleting their last login credential
                using (var scope = new TransactionScope(TransactionScopeOption.Required, new TransactionOptions { IsolationLevel = IsolationLevel.Serializable }))
                {
                    bool hasLocalAccount = OAuthWebSecurity.HasLocalAccount(WebSecurity.GetUserId(User.Identity.Name));
                    if (hasLocalAccount || OAuthWebSecurity.GetAccountsFromUserName(User.Identity.Name).Count > 1)
                    {
                        OAuthWebSecurity.DeleteAccount(provider, providerUserId);
                        scope.Complete();
                        message = ManageMessageId.RemoveLoginSuccess;
                    }
                }
            }

            return RedirectToAction("Manage", new { Message = message });
        }

        //
        // GET: /Account/Manage

        public ActionResult Manage(ManageMessageId? message)
        {
            ViewBag.StatusMessage =
                message == ManageMessageId.ChangePasswordSuccess ? "Your password has been changed."
                : message == ManageMessageId.SetPasswordSuccess ? "Your password has been set."
                : message == ManageMessageId.RemoveLoginSuccess ? "The external login was removed."
                : "";
            ViewBag.HasLocalPassword = OAuthWebSecurity.HasLocalAccount(WebSecurity.GetUserId(User.Identity.Name));
            ViewBag.ReturnUrl = Url.Action("Manage");
            return View();
        }

        //
        // POST: /Account/Manage

        [HttpPost]
        [ValidateAntiForgeryToken]
        public ActionResult Manage(LocalPasswordModel model)
        {
            bool hasLocalAccount = OAuthWebSecurity.HasLocalAccount(WebSecurity.GetUserId(User.Identity.Name));
            ViewBag.HasLocalPassword = hasLocalAccount;
            ViewBag.ReturnUrl = Url.Action("Manage");
            if (hasLocalAccount)
            {
                if (ModelState.IsValid)
                {
                    // ChangePassword will throw an exception rather than return false in certain failure scenarios.
                    bool changePasswordSucceeded;
                    try
                    {
                        changePasswordSucceeded = WebSecurity.ChangePassword(User.Identity.Name, model.OldPassword, model.NewPassword);
                    }
                    catch (Exception)
                    {
                        changePasswordSucceeded = false;
                    }

                    if (changePasswordSucceeded)
                    {
                        return RedirectToAction("Manage", new { Message = ManageMessageId.ChangePasswordSuccess });
                    }
                    else
                    {
                        ModelState.AddModelError("", "The current password is incorrect or the new password is invalid.");
                    }
                }
            }
            else
            {
                // User does not have a local password so remove any validation errors caused by a missing
                // OldPassword field
                ModelState state = ModelState["OldPassword"];
                if (state != null)
                {
                    state.Errors.Clear();
                }

                if (ModelState.IsValid)
                {
                    try
                    {
                        WebSecurity.CreateAccount(User.Identity.Name, model.NewPassword);
                        return RedirectToAction("Manage", new { Message = ManageMessageId.SetPasswordSuccess });
                    }
                    catch (Exception)
                    {
                        ModelState.AddModelError("", String.Format("Unable to create local account. An account with the name \"{0}\" may already exist.", User.Identity.Name));
                    }
                }
            }

            // If we got this far, something failed, redisplay form
            return View(model);
        }

        //
        // POST: /Account/ExternalLogin

        [HttpPost]
        [AllowAnonymous]
        [ValidateAntiForgeryToken]
        public ActionResult ExternalLogin(string provider, string returnUrl)
        {
            return new ExternalLoginResult(provider, Url.Action("ExternalLoginCallback", new { ReturnUrl = returnUrl }));
        }

        //
        // GET: /Account/ExternalLoginCallback

        [AllowAnonymous]
        public ActionResult ExternalLoginCallback(string returnUrl)
        {
            AuthenticationResult result = OAuthWebSecurity.VerifyAuthentication(Url.Action("ExternalLoginCallback", new { ReturnUrl = returnUrl }));
            if (!result.IsSuccessful)
            {
                return RedirectToAction("ExternalLoginFailure");
            }

            if (OAuthWebSecurity.Login(result.Provider, result.ProviderUserId, createPersistentCookie: false))
            {
                return RedirectToLocal(returnUrl);
            }

            if (User.Identity.IsAuthenticated)
            {
                // If the current user is logged in add the new account
                OAuthWebSecurity.CreateOrUpdateAccount(result.Provider, result.ProviderUserId, User.Identity.Name);
                return RedirectToLocal(returnUrl);
            }
            else
            {
                // User is new, ask for their desired membership name
                string loginData = OAuthWebSecurity.SerializeProviderUserId(result.Provider, result.ProviderUserId);
                ViewBag.ProviderDisplayName = OAuthWebSecurity.GetOAuthClientData(result.Provider).DisplayName;
                ViewBag.ReturnUrl = returnUrl;
                return View("ExternalLoginConfirmation", new RegisterExternalLoginModel { UserName = result.UserName, ExternalLoginData = loginData });
            }
        }

        //
        // POST: /Account/ExternalLoginConfirmation

        [HttpPost]
        [AllowAnonymous]
        [ValidateAntiForgeryToken]
        public ActionResult ExternalLoginConfirmation(RegisterExternalLoginModel model, string returnUrl)
        {
            string provider = null;
            string providerUserId = null;

            if (User.Identity.IsAuthenticated || !OAuthWebSecurity.TryDeserializeProviderUserId(model.ExternalLoginData, out provider, out providerUserId))
            {
                return RedirectToAction("Manage");
            }

            if (ModelState.IsValid)
            {
                // Insert a new user into the database
                using (UsersContext db = new UsersContext())
                {
                    UserProfile user = db.UserProfiles.FirstOrDefault(u => u.UserName.ToLower() == model.UserName.ToLower());
                    // Check if user already exists
                    if (user == null)
                    {
                        // Insert name into the profile table
                        db.UserProfiles.Add(new UserProfile { UserName = model.UserName });
                        db.SaveChanges();

                        OAuthWebSecurity.CreateOrUpdateAccount(provider, providerUserId, model.UserName);
                        OAuthWebSecurity.Login(provider, providerUserId, createPersistentCookie: false);

                        return RedirectToLocal(returnUrl);
                    }
                    else
                    {
                        ModelState.AddModelError("UserName", "User name already exists. Please enter a different user name.");
                    }
                }
            }

            ViewBag.ProviderDisplayName = OAuthWebSecurity.GetOAuthClientData(provider).DisplayName;
            ViewBag.ReturnUrl = returnUrl;
            return View(model);
        }

        //
        // GET: /Account/ExternalLoginFailure

        [AllowAnonymous]
        public ActionResult ExternalLoginFailure()
        {
            return View();
        }

        [AllowAnonymous]
        [ChildActionOnly]
        public ActionResult ExternalLoginsList(string returnUrl)
        {
            ViewBag.ReturnUrl = returnUrl;
            return PartialView("_ExternalLoginsListPartial", OAuthWebSecurity.RegisteredClientData);
        }

        [ChildActionOnly]
        public ActionResult RemoveExternalLogins()
        {
            ICollection<OAuthAccount> accounts = OAuthWebSecurity.GetAccountsFromUserName(User.Identity.Name);
            List<ExternalLogin> externalLogins = new List<ExternalLogin>();
            foreach (OAuthAccount account in accounts)
            {
                AuthenticationClientData clientData = OAuthWebSecurity.GetOAuthClientData(account.Provider);

                externalLogins.Add(new ExternalLogin
                {
                    Provider = account.Provider,
                    ProviderDisplayName = clientData.DisplayName,
                    ProviderUserId = account.ProviderUserId,
                });
            }

            ViewBag.ShowRemoveButton = externalLogins.Count > 1 || OAuthWebSecurity.HasLocalAccount(WebSecurity.GetUserId(User.Identity.Name));
            return PartialView("_RemoveExternalLoginsPartial", externalLogins);
        }

        #region Helpers
        private ActionResult RedirectToLocal(string returnUrl)
        {
            if (Url.IsLocalUrl(returnUrl))
            {
                return Redirect(returnUrl);
            }
            else
            {
                return RedirectToAction("Index", "Home");
            }
        }

        public enum ManageMessageId
        {
            ChangePasswordSuccess,
            SetPasswordSuccess,
            RemoveLoginSuccess,
        }

        internal class ExternalLoginResult : ActionResult
        {
            public ExternalLoginResult(string provider, string returnUrl)
            {
                Provider = provider;
                ReturnUrl = returnUrl;
            }

            public string Provider { get; private set; }
            public string ReturnUrl { get; private set; }

            public override void ExecuteResult(ControllerContext context)
            {
                OAuthWebSecurity.RequestAuthentication(Provider, ReturnUrl);
            }
        }

        private static string ErrorCodeToString(MembershipCreateStatus createStatus)
        {
            // See http://go.microsoft.com/fwlink/?LinkID=177550 for
            // a full list of status codes.
            switch (createStatus)
            {
                case MembershipCreateStatus.DuplicateUserName:
                    return "User name already exists. Please enter a different user name.";

                case MembershipCreateStatus.DuplicateEmail:
                    return "A user name for that e-mail address already exists. Please enter a different e-mail address.";

                case MembershipCreateStatus.InvalidPassword:
                    return "The password provided is invalid. Please enter a valid password value.";

                case MembershipCreateStatus.InvalidEmail:
                    return "The e-mail address provided is invalid. Please check the value and try again.";

                case MembershipCreateStatus.InvalidAnswer:
                    return "The password retrieval answer provided is invalid. Please check the value and try again.";

                case MembershipCreateStatus.InvalidQuestion:
                    return "The password retrieval question provided is invalid. Please check the value and try again.";

                case MembershipCreateStatus.InvalidUserName:
                    return "The user name provided is invalid. Please check the value and try again.";

                case MembershipCreateStatus.ProviderError:
                    return "The authentication provider returned an error. Please verify your entry and try again. If the problem persists, please contact your system administrator.";

                case MembershipCreateStatus.UserRejected:
                    return "The user creation request has been canceled. Please verify your entry and try again. If the problem persists, please contact your system administrator.";

                default:
                    return "An unknown error occurred. Please verify your entry and try again. If the problem persists, please contact your system administrator.";
            }
        }
        #endregion
    }

}

AuthConfig

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using Microsoft.Web.WebPages.OAuth;
using FBIntegrationSimple.Models;
using System.Net;
using System.IO;
using Newtonsoft.Json;
using System.Web;
using DotNetOpenAuth.AspNet;
using System.Text.RegularExpressions;

namespace FBIntegrationSimple
{
    public static class AuthConfig
    {
        public static void RegisterAuth()
        {
            // To let users of this site log in using their accounts from other sites such as Microsoft, Facebook, and Twitter,
            // you must update this site. For more information visit http://go.microsoft.com/fwlink/?LinkID=252166

            //OAuthWebSecurity.RegisterMicrosoftClient(
            //    clientId: "",
            //    clientSecret: "");

            //OAuthWebSecurity.RegisterTwitterClient(
            //    consumerKey: "",
            //    consumerSecret: "");

            OAuthWebSecurity.RegisterClient(
                new FacebookScopedClient("000000000", "f0ca0c702a31526b52a56795eb0475d5"), "Facebook", null);
            //OAuthWebSecurity.RegisterFacebookClient(
            //    appId: "00000000000",
            //    appSecret: "f0ca0c702a31526b52a56795eb0475d5");

            //OAuthWebSecurity.RegisterGoogleClient();
        }

        public class FacebookScopedClient : IAuthenticationClient
        {
            private string appId;
            private string appSecret;

            private const string baseUrl = "https://www.facebook.com/dialog/oauth?client_id=";
            public const string graphApiToken = "https://graph.facebook.com/oauth/access_token?";
            public const string graphApiMe = "https://graph.facebook.com/me?";
            
            private static string GetHTML(string URL)
            {
                string connectionString = URL;

                try
                {
                    System.Net.HttpWebRequest myRequest = (HttpWebRequest)WebRequest.Create(connectionString);
                    myRequest.Credentials = CredentialCache.DefaultCredentials;
                    //// Get the response
                    WebResponse webResponse = myRequest.GetResponse();
                    Stream respStream = webResponse.GetResponseStream();
                    ////
                    StreamReader ioStream = new StreamReader(respStream);
                    string pageContent = ioStream.ReadToEnd();
                    //// Close streams
                    ioStream.Close();
                    respStream.Close();
                    return pageContent;
                }
                catch (Exception)
                {
                }
                return null;
            }

            private IDictionary<string, string> GetUserData(string accessCode, string redirectURI)
            {

                string token = GetHTML(graphApiToken + "client_id=" + appId + "&redirect_uri=" + HttpUtility.UrlEncode(redirectURI) + "&client_secret=" + appSecret + "&code=" + accessCode);
                if (token == null || token == "")
                {
                    return null;
                }
                //,gender,link
                string fetch_token = token.Substring("access_token=".Length, token.IndexOf("&") - "access_token=".Length);
                string data = GetHTML(graphApiMe + "fields=id,name,email,gender,link&access_token=" + fetch_token);
                
                // this dictionary must contains
                Dictionary<string, string> userData = JsonConvert.DeserializeObject<Dictionary<string, string>>(data);
                return userData;
            }

            public FacebookScopedClient(string appId, string appSecret)
            {
                this.appId = appId;
                this.appSecret = appSecret;
            }

            public string ProviderName
            {
                get { return "Facebook"; }
            }

            public void RequestAuthentication(System.Web.HttpContextBase context, Uri returnUrl)
            {
                string url = baseUrl + appId + "&redirect_uri=" + HttpUtility.UrlEncode(returnUrl.ToString()) + "&scope=email";
                context.Response.Redirect(url);
            }

            public AuthenticationResult VerifyAuthentication(System.Web.HttpContextBase context)
            {
                string code = context.Request.QueryString["code"];

                string rawUrl = context.Request.Url.OriginalString;
                //From this we need to remove code portion
                rawUrl = Regex.Replace(rawUrl, "&code=[^&]*", "");

                IDictionary<string, string> userData = GetUserData(code, rawUrl);

                if (userData == null)
                    return new AuthenticationResult(false, ProviderName, null, null, null);

                string id = userData["id"];
                string username = userData["email"];
                //userData.Remove("id");
                //userData.Remove("email");

                AuthenticationResult result = new AuthenticationResult(true, ProviderName, id, username, userData);
                return result;
            }
        }
    }
}

codeigniter login controller with facebook login methods

<?php

if (!defined('BASEPATH'))
    exit('No direct script access allowed');

// Skip these two lines if you're using Composer
define('FACEBOOK_SDK_V4_SRC_DIR', APPPATH . 'libraries/facebook-php-sdk-v4/src/Facebook/');
require APPPATH . 'libraries/facebook-php-sdk-v4/autoload.php';

use Facebook\FacebookSession;
use Facebook\FacebookRequest;
use Facebook\FacebookRequestException;
use Facebook\FacebookRedirectLoginHelper;
use Facebook\GraphUser;

class login extends HO_Site {

    public function __construct() {
        parent::__construct();

        $this->load->config('facebook');
        $this->load->library('session');

        $this->lang->load('user');
        $this->load->library('validation/UserValidation', array($this), 'validation');

        FacebookSession::setDefaultApplication(
                $this->config->item('api_id', 'facebook'), $this->config->item('app_secret', 'facebook'));
    }

    public function fbs() {
        $helper = new FacebookRedirectLoginHelper($this->config->item('redirect_url', 'facebook'));
        $loginUrl = $helper->getLoginUrl($this->config->item('permissions', 'facebook'));
        redirect($loginUrl);
    }

    public function fbe() {
        $helper = new FacebookRedirectLoginHelper($this->config->item('redirect_url', 'facebook'));
        $session = FALSE;
        try {
            if ($session === FALSE) {
                $session = $helper->getSessionFromRedirect();
            }
        } catch (FacebookRequestException $ex) {
            log_message('error', $ex->getMessage());
        } catch (\Exception $ex) {
            log_message('error', $ex->getMessage());
        }
        if ($session) {
            try {
                $me = (new FacebookRequest(
                        $session, 'GET', '/me'
                        ))->execute()->getGraphObject(GraphUser::className());

                $firstname = $me->getFirstName();
                $lastname = $me->getLastName();
                $email = $me->getEmail();

                if (!User()->logged_in()) {
                    $user = $this->user_model->find_user($email);

                    if (empty($user) || !isset($user['id'])) {

                        $new_password = User()->get_random_password();

                        $posted['firstname'] = $firstname;
                        $posted['lastname'] = $lastname;
                        $posted['username'] = $email;
                        $posted['email'] = $email;
                        $posted['salt'] = User()->get_salt();
                        $posted['password'] = User()->get_hashed_password($posted, $new_password);
                        $posted['createddate'] = utc_datetime();

                        $role = $this->role_model->get(array('code' => 'user'));
                        $posted['role_id'] = $role['id'];
                        $posted['id'] = $this->user_model->save($posted);
                       
                    } else {
                        if (User()->login($email, $user['password'], true, true)) {
                            redirect(site_url());
                        } else {
                            redirect(site_url('login'));
                        }
                    }
                } else {
                    redirect(site_url());
                }
            } catch (FacebookRequestException $e) {
                // The Graph API returned an error
                $this->error($ex->getMessage());
            } catch (\Exception $e) {
                // Some other error occurred
                $this->error($ex->getMessage());
            }
        } else {
            redirect(site_url('login'));
        }
    }

    public function index($error = '') {
        if (User()->logged_in()) {
            redirect(site_url());
        } else {
            $loginUrl = site_url('login/fbs');
            $this->view('index', array('loginUrl' => $loginUrl, 'error' => $error));
        }
    }

    public function auth() {
        if ($this->validation->validate_login()) {
            $posted = $this->input->post();
            $email = $posted['username'];
            $password = $posted['password'];

            try {
                if (!User()->logged_in()) {
                    $user = $this->user_model->find_user($email);

                    if (empty($user) || !isset($user['id'])) {
                        $posted['username'] = $email;
                        $posted['email'] = $email;
                        $posted['salt'] = User()->get_salt();
                        $posted['password'] = User()->get_hashed_password($posted, $password);
                        $posted['createddate'] = utc_datetime();

                        $role = $this->role_model->get(array('code' => 'user'));
                        $posted['role_id'] = $role['id'];
                        $posted['id'] = $this->user_model->save($posted);
                    } else {
                        if (User()->login($email, $password, true)) {
                            redirect(site_url());
                        } else {
                            $this->index('Нэр эсвэл нууц үг буруу байна!');
                        }
                    }
                } else {
                    redirect(site_url());
                }
            } catch (Exception $ex) {
                //500 Internal Server Error
                log_message('error', $ex->getMessage());
                $this->index('Нэвтрэх үед алдаа гарлаа!');
            }
        } else {
            //400 Bad Request
            $this->index('Нэр эсвэл нууц үг буруу байна!');
        }
    }

    public function reset() {
        if ($this->validation->validate_reset()) {
            try {
                $posted = $this->input->post('email');
                if (User()->reset($posted)) {
                    $this->success('Нууц үгийг сэргээлээ!');
                } else {
                    $this->error('Нууц үгийг сэргээлээ!');
                }
            } catch (Exception $ex) {
                log_message('error', $ex->getMessage());
                $this->error($ex->getMessage());
            }
        } else {
            $this->error('Хүсэлт буруу байна!');
        }
    }

}

Tuesday, December 8, 2015

how to run nodejs app in freebsd linux

1. how to install nodejs in freebsd
=======================
cd /usr/ports/lang/python27
make install clean
*******************************
if
- env: python: No such file or directory
then create link
ln -s /usr/local/bin/python2.7 /usr/local/bin/python
- Object directory not changed from original /usr/ports/devel/libexecinfo/work/libexecinfo-1.1
then download some lib
http://ftp.nsysu.edu.tw/FreeBSD/ports/local-distfiles/itetcu/libexecinfo-1.1.tar.bz2
http://ftp.nsysu.edu.tw/FreeBSD/ports/local-distfiles/sunpoet/npm-1.3.11.tar.xz
to
/usr/ports/distfiles/
then
cd /usr/ports/devel/libexecinfo
make deinstall
make install
*******************************
cd /usr/ports/www/node
./configure
make
cd /usr/ports/www/npm
make install
*******************************
whereis npm
npm: /usr/local/bin/npm /usr/local/lib/node_modules/npm/man/man1/npm.1 /usr/ports/www/npm
whereis node
node: /usr/local/bin/node /usr/local/man/man1/node.1.gz /usr/ports/www/node


2. how to install mongodb in freebsd
=======================
http://ftp.nsysu.edu.tw/FreeBSD/ports/local-distfiles/vanilla/v8-3.18.5.tar.xz
to
/usr/ports/distfiles/
then
cd /usr/ports/databases/mongodb
make install

Friday, December 4, 2015

after update mongodb callback result in nodejs

after update mongodb

nodejs code

message_model.update(message_cond, { seen: true }, function (doc) {
            Object.getOwnPropertyNames(doc).forEach(function (prop, idx, array) {
                var val = doc[prop];
                console.log(prop + ":" + val);
            });
            console.log('===============');
            for (var prop in doc) {
                var val = doc[prop];
                console.log(prop + ":" + val);
            }
            console.log('===============');
            console.log(utils.tojstr_(doc.result));
            console.log('===============');
            console.log(utils.tojstr_(doc));
.............................
});

console.log

result:[object Object]
connection:56
matchedCount:2
modifiedCount:2
upsertedId:null
upsertedCount:0
===============
result:[object Object]
connection:56
matchedCount:2
modifiedCount:2
upsertedId:null
upsertedCount:0
toJSON:function () {
  return this.result;
}
toString:function () {
  return JSON.stringify(this.toJSON());
}
===============
{"ok":1,"nModified":2,"n":2}
===============
{"ok":1,"nModified":2,"n":2}

if insert query running
then doc.ops is inserted document

Thursday, November 19, 2015

modern css3 linear-gradient, border-radius, box-shadow

background: rgba(255,255,255,1);
background: -moz-linear-gradient(top, rgba(255,255,255,1) 0%, rgba(246,246,246,1) 47%, rgba(237,237,237,1) 100%);
background: -webkit-gradient(left top, left bottom, color-stop(0%, rgba(255,255,255,1)), color-stop(47%, rgba(246,246,246,1)), color-stop(100%, rgba(237,237,237,1)));
background: -webkit-linear-gradient(top, rgba(255,255,255,1) 0%, rgba(246,246,246,1) 47%, rgba(237,237,237,1) 100%);
background: -o-linear-gradient(top, rgba(255,255,255,1) 0%, rgba(246,246,246,1) 47%, rgba(237,237,237,1) 100%);
background: -ms-linear-gradient(top, rgba(255,255,255,1) 0%, rgba(246,246,246,1) 47%, rgba(237,237,237,1) 100%);
background: linear-gradient(to bottom, rgba(255,255,255,1) 0%, rgba(246,246,246,1) 47%, rgba(237,237,237,1) 100%);
filter: progid:DXImageTransform.Microsoft.gradient( startColorstr='#ffffff', endColorstr='#ededed', GradientType=0 );



border-radius: 10px 10px 10px 10px;
-moz-border-radius: 10px 10px 10px 10px;
-webkit-border-radius: 10px 10px 10px 10px;
border: 0px solid #000000;



-webkit-box-shadow: inset 10px 10px 5px 0px rgba(0,0,0,0.75);
-moz-box-shadow: inset 10px 10px 5px 0px rgba(0,0,0,0.75);
box-shadow: inset 10px 10px 5px 0px rgba(0,0,0,0.75);

Saturday, September 26, 2015

vertical align middle a tag in several li tag with float:left attribute

.cd-tabs-navigation {
    margin: 0;
    padding: 0;
    display: block;
}
.cd-tabs-navigation:after {
    content: "";
    display: table;
    clear: both;
}
.cd-tabs-navigation li {
    float: left;
    display: table-cell;
    width: 20%;
    height: 50px;
    line-height: 50px;
    background: #fff;
    border-right: 1px solid #D6D6D6;
    border-bottom: 1px solid #D6D6D6;
    overflow: hidden;
    vertical-align: middle;
}
.cd-tabs-navigation a {
    display: inline-table;
    text-transform: uppercase;
    text-align: center;
    font-size: 11px;
    color: #4e4d4d;
    width: 100%;
    line-height: 1;
    padding: 0 15px;
    margin: auto 0;
    vertical-align: middle;
}
.cd-tabs-navigation a:hover {
    color: #b42d32;
}
.cd-tabs-navigation li.selected {
    background-color: #b42d32 !important;
    color: #FFF;
}
.cd-tabs-navigation li.selected a, .cd-tabs-navigation li.selected a:hover {
    color: #FFF;
}

Thursday, September 24, 2015

javascript with jquery core methods for my h2o cms

/*! h2o v1.0.3 | (c) hiimeloyun@gmail.com*/
window.h2o = window.h2o || {
    extend: function (x, y) {
        var self = this;
        if (typeof y !== 'undefined' && y) {
            self = y;
        }
        for (var i in x) {
            self[i] = x[i];
        }
        return self;
    }
};
h2o.extend({
    ajax_locked: false,
    site_protocol: window.location.protocol,
    site_hostname: window.location.hostname,
    jstr: typeof JSON !== "undefined" ? JSON.stringify : function (obj) {
        var arr = [];
        $.each(obj, function (key, val) {
            var next = key + ": ";
            next += $.isPlainObject(val) ? h2o.jstr(val) : val;
            arr.push(next);
        });
        return "{ " + arr.join(", ") + " }";
    },
    postData: function () {
        var r20 = /%20/g;
        //('name','value')
        if (arguments.length === 2) {
            var key = arguments[0];
            var value = arguments[1];
            return encodeURIComponent(key) + "=" + encodeURIComponent(value).replace(r20, "+");
        } else {
            var s = [], add = function (key, value) {
                // If value is a function, invoke it and return its value
                s.push(encodeURIComponent(key) + "=" + encodeURIComponent(value).replace(r20, "+"));
            }, arg = arguments[0];
            //any string
            if (typeof arg === 'string') {
                return encodeURIComponent(arg).replace(r20, "+");
            } else {
                //any container object
                if (!Array.isArray(arg)) {
                    if (typeof arg === 'object' && typeof jQuery !== 'undefined') {
                        arg = $(arg).postItems();
                    }
                }
                //[{name:'name',value:'value'}]
                for (var i = 0; i < arg.length; i++) {
                    add(arg[i].name, arg[i].value);
                }
                return s.join("&").replace(r20, "+");
            }
        }
    }
});
h2o.extend({
    base_url: (function () {
        var myScripts = document.getElementsByTagName('script');
        var myScript = myScripts[myScripts.length - 1];
        var myArgs = myScript.src.split('?');
        var myModule = '';
        if (myArgs.length > 1) {
            myModule = myArgs[1];
        }
        var host = h2o.site_hostname;
        var baseurl = h2o.site_protocol + '//' + host;
        var fip = host.split('.')[0];
        var isip = (0 < fip && fip < 256);
        if (isip === false && host.indexOf('.') > 0) {
            baseurl = baseurl + (myModule.length > 0 ? '/' + myModule : '');
        } else {
            var jssrc = myArgs[0];
            var jssrc_seg = jssrc.split('/');
            var rootfolder = jssrc_seg[3];
            baseurl = baseurl + (rootfolder.length > 0 ? '/' + rootfolder : '');
        }
        return baseurl;
    })()
});
h2o.extend({
    viewResult: function (result, into) {
        if (typeof into === 'object') {
            if ($(into).prop('tagName') === 'UL') {
                $('<li/>').appendTo($(into)).html(result).hide().fadeIn('slow').refreshLayout();
            } else {
                $(into).html(result).hide().fadeIn('slow').refreshLayout();
            }
        } else if (typeof into === 'function') {
            into(result);
        }
    },
    get: function (link, into, responseType) {
        if (typeof responseType === 'undefined' || !responseType) {
            responseType = 'html';
        }
        $.ajax({
            type: 'get',
            dataType: responseType,
            url: link,
            success: function (result) {
                h2o.viewResult(result, into);
            }, beforeSend: function () {
                if (typeof into === 'object') {
                    $(into).htmlWaiting();
                }
            }, statusCode: {
                404: function () {
                    alert("Веб хаяг олдсонгүй!");
                }
            }
        });
    },
    post: function (link, form, into, responseType) {
        if (h2o.ajax_locked) {
            alert('Та түр хүлээнэ үү!');
            return;
        }
        h2o.ajax_locked = true;
        if (typeof responseType === 'undefined' || !responseType) {
            responseType = 'html';
        }
        if (typeof form === 'undefined' || !form) {
            form = link;
            link = ($(form).prop('tagName') === 'FORM') ? form.attr('action') : form.attr('data-action');
        }
        var sendParams = null;
        if (typeof form === 'string') {
            sendParams = form;
        } else {
            if ($(form).prop('tagName') === 'FORM')
                sendParams = $(form).serialize();
            else
                sendParams = h2o.postData(form);
        }
        $.ajax({
            type: 'post',
            dataType: responseType,
            url: link,
            data: sendParams,
            success: function (result) {
                h2o.viewResult(result, into);
            }, beforeSend: function () {
                if (typeof into === 'object') {
                    $(into).htmlWaiting();
                }
            }, error: function (request, status, error) {
                alert(request.responseText);
            }, complete: function (result) {
                h2o.ajax_locked = false;
            }
        });
    },
    action: function (link, funcBefore, funcAfter, method, responseType) {
        if (typeof method === 'undefined') {
            method = 'get';
        }
        if (typeof responseType === 'undefined') {
            responseType = 'json';
        }
        $.ajax({
            type: method,
            dataType: responseType,
            url: link,
            cache: false,
            success: function (result) {
                if (funcAfter)
                    funcAfter(result);
                else
                    funcBefore(result);
            }, beforeSend: function () {
                if (funcAfter)
                    funcBefore();
            }, statusCode: {
                404: function () {
                    alert("Веб хаяг олдсонгүй!");
                }
            }
        });
    },
    redirect: function (link) {
        if (window.location.href) {
            window.location.href = link;
        } else {
            window.location = link;
        }
    },
    // window scroll function
    scrollToID: function (id, speed) {
        var offSet = 50;
        var targetOffset = $(id).offset().top - offSet;
        var mainNav = $('#main-nav');
        $('html,body').animate({scrollTop: targetOffset}, speed);
        if (typeof mainNav !== 'undefined' && mainNav.hasClass("open")) {
            mainNav.css("height", "1px").removeClass("in").addClass("collapse");
            mainNav.removeClass("open");
        }
    },
    navlink: function (obj, into) {
        if (typeof into === 'undefined' || !into || into === null) {
            into = h2o.panel();
        }
        return $(obj).each(function () {
            $(this).click(function () {
                h2o.get($(this).attr('href'), into);
                return false;
            });
        });
    },
    set_meta: function (ajson, cjson) {
        /*<meta name="author" content="">*/
        $('title').text(ajson.meta_title + ' - ' + h2o.site_hostname);
        $('meta[name]').each(function (ndx, tag) {
            var name = $(tag).attr('name');
            if (typeof name !== 'undefined') {
                if (name === 'title') {
                    $(tag).attr('content', ajson.meta_title);
                }
                if (name === 'description') {
                    $(tag).attr('content', ajson.meta_description);
                }
                if (name === 'keywords') {
                    var cmeta_title = (typeof cjson !== 'undefined') ? cjson.meta_title : ajson.meta_title;
                    $(tag).attr('content', cmeta_title + ', ' + ajson.meta_keywords + ' - ' + h2o.site_hostname);
                }
                if (name === 'author') {
                    $(tag).attr('content', ajson.meta_author);
                }
            }
        });
    }
});
h2o.extend({
    imgsViewer: function (obj) {
        var fadeDuration = 2000, slideDuration = 4000, currentIndex = 1, nextIndex = 1,
                nextSlide = function () {
                    nextIndex = currentIndex + 1;
                    if (nextIndex > $(obj).children().size()) {
                        nextIndex = 1;
                    }
                    var next = $(obj).find('li:nth-child(' + nextIndex + ')');
                    var curr = $(obj).find('li:nth-child(' + currentIndex + ')');
                    next.addClass('ishow').animate({opacity: 1.0}, fadeDuration);
                    curr.removeClass('ishow').animate({opacity: 0.0}, fadeDuration);
                    currentIndex = nextIndex;
                    setTimeout(nextSlide, slideDuration);
                };
        $(obj).find('li').css({opacity: 0.0});
        $(obj).find('li:nth-child(' + nextIndex + ')')
                .addClass('ishow').animate({opacity: 1.0}, fadeDuration);
        setTimeout(nextSlide, slideDuration);
        return this;
    },
    bgImager: function (arg) {
        var self = this, pane = $('#bg-images'), c = 0, t = 4000, bgi = null, bgis = arg,
                changeBg = function () {
                    if (pane.find('.img').size() > 0) {
                        var prevImg = pane.find('.img').eq(0);
                        bgi.show().insertBefore(prevImg).next().fadeTo(1000, 0, function () {
                            $(this).remove();
                            nextBg();
                        });
                    } else {
                        bgi.appendTo(pane).fadeTo(1000, 1, function () {
                            nextBg();
                        });
                    }
                },
                nextBg = function () {
                    c = Math.RandInt(0, bgis.length);
                    if (c >= bgis.length) {
                        c = 0;
                    }
                    var img = $('<img/>').addClass('img');
                    $(img).load(function () {
                        bgi = $(this).hide();
                        if (pane.find('.img').size() > 0) {
                            setTimeout(changeBg, t);
                        } else {
                            changeBg();
                        }
                    }).attr('src', h2o.base_url + '/' + bgis[c]);
                },
                initBg = function (s) {//s is second
                    if (pane.css('margin-top') === '1px') {
                        return false;
                    }
                    $(window).bind('resize.bgimager', function () {
                        var win_w = $(window).width();
                        pane.find('.img').each(function (index, img) {
                            var img_w = $(img).width();
                            if (img_w >= win_w) {
                                var w = (win_w - img_w) / 2;
                                $(img).css('left', w);
                            }
                        });
                    });
                    t = 1000 * s;
                    nextBg();
                };
        self.init = initBg;
        return this;
    },
    initGmap: function () {
        var googleMaps = google && typeof google !== 'undefined' ? google.maps : 'undefined';
        if (typeof googleMaps !== 'undefined') {
            var self = this.initGmap || h2o.initGmap;
            h2o.extend({mapEditState: false, bounds: []}, self);
            var mapCanvas = document.getElementById('map_canvas');
            var mapInput = document.getElementById('googlemap');
            var latitude = self.bound_lat;
            var longitude = self.bound_lng;
            var marker_latitude = self.marker_lat;
            var marker_longitude = self.marker_lng;
            var bound_Latlng = new googleMaps.LatLng(latitude, longitude);
            var marker_Latlng = new googleMaps.LatLng(marker_latitude, marker_longitude);
            var mapOptions = {
                center: bound_Latlng,
                zoom: self.bound_zoom,
                mapTypeId: googleMaps.MapTypeId.HYBRID
            };
            var map = new googleMaps.Map(mapCanvas, mapOptions);
            var styles = [
                {
                    featureType: "all",
                    elementType: "labels",
                    stylers: [
                        {visibility: "on"}
                    ]
                }
            ];
            map.setOptions({styles: styles});
            var marker = new googleMaps.Marker({
                position: marker_Latlng,
                map: map,
                draggable: true,
                title: "Сонгосон байршил"
                        //icon: 'brown_markerA.png'
            });
            var markedPlaceSave = function () {
                var location = marker.getPosition();
                var zoom = map.getZoom();
                var bounds = map.getBounds();
                var ne = bounds.getNorthEast();
                var sw = bounds.getSouthWest();
                self.bounds = ne.lat() + ',' + ne.lng() + ',' + sw.lat() + ',' + sw.lng()
                        + ',' + zoom + ',' + location.lat() + ',' + location.lng();
                var msg = 'gmb=' + self.bounds;
                if (mapInput) {
                    mapInput.value = self.bounds;
                }
                var latlngSpans = $('#map-usage-body .latlng span');
                latlngSpans.first().html(location.lat());
                latlngSpans.last().html(location.lng());
                if (self.mapEditState) {
                    var link = h2o.base_url + '/zarwrite/gmap?' + msg;
                    h2o.action(link, function (result) {
                        if (result.success) {
                            $('.googlemap .title').html('Байршил: ' + result.data[5] + ', ' + result.data[6]);
                        } else {
                            alert(result.message);
                        }
                    });
                }
            };
            googleMaps.event.addListener(map, 'click', function (event) {
                var location = event.latLng;
                marker.setPosition(location);
                markedPlaceSave();
            });
            googleMaps.event.addListener(marker, 'dragend', function (event) {
                var location = event.latLng;
                marker.setPosition(location);
                markedPlaceSave();
            });
            googleMaps.event.addListener(map, 'bounds_changed', function () {
                try {
                    markedPlaceSave();
                } catch (err) {
                    alert(err);
                }
            });
        }
    },
    reloadCaptchaImg: function (capimg) {
        var link = h2o.base_url + '/captcha/image?' + getTimeAsLong();
        $.ajax({
            url: link,
            success: function (result) {
                var par = capimg.parent();
                capimg.remove();
                capimg = $('<img src="' + result + '"/>');
                capimg.appendTo(par);
                capimg.animate({'opacity': '1'}, {
                    duration: 300
                });
            }
        });
    },
    insertedFileCancel: function (closeSpan) {
        closeSpan.click(function (evt) {
            evt.preventDefault();
            var par = closeSpan.parents('div').first();
            var mid = par.find('a').attr('data-id');
            par.remove();
            var link = h2o.base_url + '/media/deleteFile?fileid=' + mid;
            h2o.action(link, function (result) {
                if (result.error) {
                    alert(result.message);
                }
            });
        });
    },
    initFileUpload: function (fileCtl) {
        'use strict';
        // Change this to the location of your server-side upload handler:
        var url = window.location.hostname === 'blueimp.github.io' ?
                '//jquery-file-upload.appspot.com/' : h2o.base_url + '/media/upload';
        var uploadButton = $('<button/>')
                .addClass('btn btn-primary')
                .prop('disabled', true)
                .text('Processing...')
                .on('click', function () {
                    var $this = $(this), data = $this.data();
                    $this.off('click').text('Abort').on('click', function () {
                        $this.remove();
                        data.abort();
                    });
                    data.submit().always(function () {
                        $this.remove();
                    });
                });
        var maxNumberOfFiles = 8;
        fileCtl.click(function (event) {
            if ($('#files > div').size() >= maxNumberOfFiles) {
                event.preventDefault();
                alert(maxNumberOfFiles + ' -с илүү файл хуулах боломжгүй!');
            }
        });
        try {
            fileCtl.fileupload({
                url: url,
                dataType: 'json',
                autoUpload: true, //false
                acceptFileTypes: /(\.|\/)(gif|jpe?g|png)$/i,
                maxFileSize: 5000000, // 5 MB
                limitConcurrentUploads: 1,
                maxNumberOfFiles: maxNumberOfFiles,
                // Enable image resizing, except for Android and Opera,
                // which actually support image resizing, but fail to
                // send Blob objects via XHR requests:
                disableImageResize: /Android(?!.*Chrome)|Opera/
                        .test(window.navigator.userAgent),
                previewMaxWidth: 50,
                previewMaxHeight: 50,
                previewCrop: true
            }).on('fileuploadadd', function (e, data) {
                if ($('#files > div').size() >= maxNumberOfFiles) {
                    alert(maxNumberOfFiles + ' -с илүү файл хуулах боломжгүй!');
                    return false;
                }
                data.context = $('<div/>').appendTo('#files');
                $.each(data.files, function (index, file) {
                    var closeSpan = $('<span/>').text('Болих').prepend($('<i class="glyphicon glyphicon-remove"></i>'));
                    h2o.insertedFileCancel(closeSpan);
                    var node = $('<p/>').attr('title', file.name).append(closeSpan);
                    if (!index) {
                        //node.append('<br>').append(uploadButton.clone(true).data(data));
                    }
                    node.appendTo(data.context);
                });
            }).on('fileuploadprocessalways', function (e, data) {
                var index = data.index,
                        file = data.files[index],
                        node = $(data.context.children()[index]);
                if (file.preview) {
                    node.prepend('<br>').prepend(file.preview);
                }
                if (file.error) {
                    node.append($('<span class="text-danger"/>').text(file.error));
                }
                if (index + 1 === data.files.length) {
                    data.context.find('button').text('Upload').prop('disabled', !!data.files.error);
                }
            }).on('fileuploadprogressall', function (e, data) {
                var progress = parseInt(data.loaded / data.total * 100, 10);
                $('#progress .progress-bar').css('width', progress + '%');
            }).on('fileuploaddone', function (e, data) {
                $.each(data.result.files, function (index, file) {
                    if (file.url) {
                        var link = $('<a>').attr('target', '_blank').attr('data-id', file.id).prop('href', file.url);
                        $(data.context.children()[index]).wrap(link);
                    } else if (file.error) {
                        var error = $('<span class="text-danger"/>').text(file.error);
                        $(data.context.children()[index]).append(error);
                    }
                });
            }).on('fileuploadfail', function (e, data) {
                $.each(data.files, function (index) {
                    var error = $('<span class="text-danger"/>').text('Алдаа!');
                    $(data.context.children()[index]).append(error);
                });
            }).prop('disabled', !$.support.fileInput).parent().addClass($.support.fileInput ? undefined : 'disabled');
        } catch (err) {
            alert(err);
        }
    },
    send_contact: function (button) {
        var form = $(button).parents('dl').parent();
        form.find('.label').addClass('hidden');
        h2o.post(h2o.base_url + '/contact/send', form, function (result) {
            if (result.success) {
                $(form).find('.label-success').removeClass('hidden');
                $(form).find('input,textarea').val('');
            } else {
                $(form).find('.label-danger').removeClass('hidden');
                if (result.message) {
                    alert(result.message);
                }
            }
        }
        , 'json');
    }
});
h2o.extend({
    initResBgImages: function () {
        var c_url = h2o.base_url + '/res/images/bg/7200';
        h2o.action(c_url, function (result) {
            h2o.bgImager(result).init(6);
        });
    }
});