public ActionResult _EditProfile(FormCollection fc)
        {
            Dictionary<string, object> collection = new Dictionary<string, object>();
            ErrorCodes errorCode = ErrorCodes.UnknownError;
            string errorMessage = MyUtility.getErrorMessage(ErrorCodes.UnknownError);
            collection = MyUtility.setError(errorCode, errorMessage);
            DateTime registDt = DateTime.Now;
            if (Request.IsAjaxRequest())
            {
                if (MyUtility.isUserLoggedIn())
                {
                    try
                    {
                        string CountryCode = fc["CountryCode"];
                        string State = String.IsNullOrEmpty(fc["State"]) ? fc["StateDD"] : fc["State"];

                        if (String.IsNullOrEmpty(fc["FirstName"]) || String.IsNullOrEmpty(fc["LastName"]) || String.IsNullOrEmpty(fc["CountryCode"]))
                        {
                            collection = MyUtility.setError(ErrorCodes.IsMissingRequiredFields);
                            return Content(MyUtility.buildJson(collection), "application/json");
                        }

                        string FirstName = fc["FirstName"];
                        string LastName = fc["LastName"];
                        string City = fc["City"];

                        if (FirstName.Length > 32)
                        {
                            collection = MyUtility.setError(ErrorCodes.LimitReached, "First Name cannot exceed 32 characters.");
                            return Content(MyUtility.buildJson(collection), "application/json");
                        }
                        if (LastName.Length > 32)
                        {
                            collection = MyUtility.setError(ErrorCodes.LimitReached, "Last Name cannot exceed 32 characters.");
                            return Content(MyUtility.buildJson(collection), "application/json");
                        }
                        if (!String.IsNullOrEmpty(State))
                            if (State.Length > 30)
                            {
                                collection = MyUtility.setError(ErrorCodes.LimitReached, "State cannot exceed 30 characters.");
                                return Content(MyUtility.buildJson(collection), "application/json");
                            }
                        if (!String.IsNullOrEmpty(City))
                            if (City.Length > 50)
                            {
                                collection = MyUtility.setError(ErrorCodes.LimitReached, "City cannot exceed 50 characters.");
                                return Content(MyUtility.buildJson(collection), "application/json");
                            }

                        var context = new IPTV2Entities();

                        /***** CHECK FOR COUNTRY CODE ****/
                        if (context.Countries.Count(c => String.Compare(c.Code, CountryCode, true) == 0) <= 0)
                        {
                            collection = MyUtility.setError(ErrorCodes.IsMissingRequiredFields, "Country Code is invalid.");
                            return Content(MyUtility.buildJson(collection), "application/json");
                        }
                        else if (GlobalConfig.ExcludedCountriesFromRegistrationDropDown.Split(',').Contains(CountryCode))
                        {
                            collection = MyUtility.setError(ErrorCodes.IsMissingRequiredFields, "Country Code is invalid.");
                            return Content(MyUtility.buildJson(collection), "application/json");
                        }

                        if (String.IsNullOrEmpty(State))
                        {
                            collection = MyUtility.setError(ErrorCodes.IsMissingRequiredFields, "State is required.");
                            return Content(MyUtility.buildJson(collection), "application/json");
                        }
                        else
                        {
                            if (context.States.Count(c => c.CountryCode == CountryCode.ToUpper()) > 0)
                            {
                                if (context.States.Count(s => s.CountryCode == CountryCode.ToUpper() && (s.StateCode == State || s.Name == State)) == 0)
                                {
                                    collection = MyUtility.setError(ErrorCodes.IsMissingRequiredFields, "State is invalid.");
                                    return Content(MyUtility.buildJson(collection), "application/json");
                                }
                            }
                        }

                        //if (String.IsNullOrEmpty(State))
                        //{
                        //    collection = MyUtility.setError(ErrorCodes.IsMissingRequiredFields, "State is required.");
                        //    return Content(MyUtility.buildJson(collection), "application/json");
                        //}
                        //else
                        //{
                        //    if (context.Countries.Count(c => c.Code == CountryCode.ToUpper()) > 0)
                        //    {
                        //        if (context.States.Count(s => s.CountryCode == CountryCode.ToUpper() && (s.StateCode == State || s.Name == State)) == 0)
                        //        {
                        //            collection = MyUtility.setError(ErrorCodes.IsMissingRequiredFields, "State is invalid.");
                        //            return Content(MyUtility.buildJson(collection), "application/json");
                        //        }
                        //    }
                        //}

                        User user = context.Users.FirstOrDefault(u => u.UserId == new System.Guid(User.Identity.Name));
                        if (user != null)
                        {
                            string CurrencyCode = GlobalConfig.DefaultCurrency;
                            string OldCountryCode = GlobalConfig.DefaultCountry;
                            Country country = context.Countries.FirstOrDefault(c => c.Code == user.CountryCode);
                            if (country != null)
                            {
                                CurrencyCode = country.Currency.Code; country = null;
                                OldCountryCode = user.Country.Code;
                            }

                            UserWallet currentWallet = user.UserWallets.FirstOrDefault(w => w.Currency == CurrencyCode);
                            if (currentWallet == null) //If no wallet, get default USD wallet.
                                currentWallet = user.UserWallets.FirstOrDefault(w => w.Currency == GlobalConfig.DefaultCurrency);

                            string newCountryCode = fc["CountryCode"];
                            user.FirstName = fc["FirstName"];
                            user.LastName = fc["LastName"];
                            user.City = fc["City"];
                            user.State = String.IsNullOrEmpty(fc["State"]) || fc["State"] == "" ? (String.IsNullOrEmpty(fc["StateDD"]) ? user.State : fc["StateDD"]) : fc["State"];

                            country = context.Countries.FirstOrDefault(c => c.Code == newCountryCode);
                            if (country != null)
                            {
                                Currency currency = country.Currency;
                                CurrencyCode = (currency == null) ? GlobalConfig.DefaultCurrency : currency.Code;
                            }

                            UserWallet wallet = user.UserWallets.FirstOrDefault(w => w.Currency == CurrencyCode);
                            decimal balance = 0;
                            decimal oldWalletBalance = currentWallet.Balance;
                            string oldCurrency = currentWallet.Currency;
                            var oldGomsWalletId = currentWallet.GomsWalletId;
                            if (wallet == null) // Wallet does not exist. Create new wallet for User.
                            {
                                if (currentWallet != null)
                                {
                                    balance = currentWallet.Currency != CurrencyCode ? Forex.Convert(context, currentWallet.Currency, CurrencyCode, currentWallet.Balance) : currentWallet.Balance;
                                    //balance = currentWallet.Balance;
                                    currentWallet.Balance = 0;
                                    currentWallet.IsActive = false;
                                    //currentWallet.GomsWalletId = null; // Reset Goms WalletId
                                    currentWallet.LastUpdated = registDt;
                                }
                                wallet = ContextHelper.CreateWallet(balance, CurrencyCode, registDt);
                                user.UserWallets.Add(wallet);
                            }
                            else // Wallet already exists. Update the balance only.
                            {
                                if (currentWallet.Currency != wallet.Currency)
                                {
                                    balance = currentWallet.Currency != wallet.Currency ? Forex.Convert(context, currentWallet.Currency, wallet.Currency, currentWallet.Balance) : currentWallet.Balance;
                                    wallet.Balance = balance;
                                    //wallet.Balance += (currentWallet.Balance * 1);
                                    wallet.IsActive = true;
                                    wallet.LastUpdated = registDt;
                                    wallet.GomsWalletId = null; // Reset Goms WalletId
                                    currentWallet.Balance = 0; // Deactivate old wallet
                                    currentWallet.IsActive = false; //Deactivate
                                    //currentWallet.GomsWalletId = null; // Reset Goms WalletId
                                    currentWallet.LastUpdated = registDt;
                                }
                            }

                            user.CountryCode = newCountryCode; // Update user country
                            user.LastUpdated = registDt; // lastUpdate

                            // update the user's recurring billing
                            if (!String.IsNullOrEmpty(fc["rb_list"]))
                                UpdateRecurringBillingViaEditProfile(context, user, fc["rb_list"]);

                            if (OldCountryCode != newCountryCode)
                            {
                                var offering = context.Offerings.Find(GlobalConfig.offeringId);

                                //Get User Transactions
                                if (user.HasOtherPendingGomsTransaction(offering))
                                {
                                    errorMessage = "We are still processing your transactions. Please try again after a few minutes.";
                                    collection = MyUtility.setError(ErrorCodes.HasPendingChangeCountryTransaction, errorMessage);
                                    return Content(MyUtility.buildJson(collection), "application/json");
                                }
                                if (user.HasPendingGomsChangeCountryTransaction(offering))
                                {
                                    errorMessage = "We are processing your recent change in location. Please try again after a few minutes.";
                                    collection = MyUtility.setError(ErrorCodes.HasPendingChangeCountryTransaction, errorMessage);
                                    return Content(MyUtility.buildJson(collection), "application/json");
                                }

                                if (user.HasTVEverywhereEntitlement(MyUtility.StringToIntList(GlobalConfig.TVEverywherePackageIds), offering))
                                {
                                    errorMessage = "You are not allowed to change country being a TV Everywhere user.";
                                    collection = MyUtility.setError(ErrorCodes.HasPendingChangeCountryTransaction, errorMessage);
                                    return Content(MyUtility.buildJson(collection), "application/json");
                                }

                                ChangeCountryTransaction transaction = new ChangeCountryTransaction()
                                {
                                    OldCountryCode = OldCountryCode,
                                    NewCountryCode = newCountryCode,
                                    Date = registDt,
                                    OfferingId = GlobalConfig.offeringId,
                                    Reference = "Change Country",
                                    UserId = user.UserId,
                                    Amount = 0,
                                    NewWalletBalance = balance,
                                    OldWalletBalance = oldWalletBalance,
                                    OldGomsCustomerId = user.GomsCustomerId,
                                    OldGomsWalletId = oldGomsWalletId,
                                    Currency = oldCurrency,
                                    StatusId = GlobalConfig.Visible
                                };

                                user.Transactions.Add(transaction);
                            }

                            if (context.SaveChanges() > 0)
                            {
                                //string ProfilePageShare = fc["ProfilePageShare"];
                                //string EveryoneActivityFeedShare = fc["EveryoneActivityFeedShare"];
                                //string SocialNetworkShare = fc["SocialNetworkShare"];

                                string IsInternalSharingEnabled = fc["IsInternalSharingEnabled"];
                                string IsExternalSharingEnabled = fc["IsExternalSharingEnabled"];
                                string IsProfilePrivate = fc["IsProfilePrivate"];

                                UserData userData = new UserData()
                                {
                                    IsInternalSharingEnabled = IsInternalSharingEnabled,
                                    IsExternalSharingEnabled = IsExternalSharingEnabled,
                                    IsProfilePrivate = IsProfilePrivate
                                    //ProfilePageShare = ProfilePageShare,
                                    //EveryoneActivityFeedShare = EveryoneActivityFeedShare,
                                    //SocialNetworkShare = SocialNetworkShare
                                };
                                var res = GigyaMethods.SetUserData(user.UserId, userData);
                                //setUserData
                                setUserData(user.UserId.ToString(), user);

                                errorMessage = "Your information has been updated successfully.";
                                collection = MyUtility.setError(ErrorCodes.Success, errorMessage);
                            }
                            else
                            {
                                errorMessage = "Error in updating your profile.";
                                collection = MyUtility.setError(ErrorCodes.EntityUpdateError, errorMessage);
                            }
                        }
                    }
                    catch (Exception e)
                    {
                        collection = MyUtility.setError(ErrorCodes.UnknownError, e.Message);
                    }
                }
            }

            return Content(MyUtility.buildJson(collection), "application/json");
        }
        public JsonResult _RegisterAndSubscribe(FormCollection fc)
        {
            var ReturnCode = new TransactionReturnType()
            {
                StatusCode = (int)ErrorCodes.UnknownError,
                StatusMessage = String.Empty,
                info = "Registration",
                TransactionType = "Registration"
            };

            if (!Request.IsAjaxRequest())
            {
                ReturnCode.StatusMessage = "Invalid request";
                return this.Json(ReturnCode, JsonRequestBehavior.AllowGet);
            }

            bool isSourceAir = false;
            string url = Url.Action("Register", "User").ToString();
            var field_names = new string[] { "uid", "provider", "full_name", "pid", "cmd", "a1", "p1", "t1", "a3", "t3", "p3", "src", "item_name", "amount", "currency", "custom", "ip" };
            try
            {
                if (TempData["qs"] != null)
                {
                    var qs = (NameValueCollection)TempData["qs"];
                    ViewBag.qs = qs;
                    TempData["qs"] = qs;
                }

                DateTime registDt = DateTime.Now;
                Dictionary<string, string> tmpCollection = fc.AllKeys.ToDictionary(k => k, v => fc[v]);
                bool isMissingRequiredFields = false;

                foreach (var x in tmpCollection)
                {
                    if (!field_names.Contains(x.Key))
                        if (String.IsNullOrEmpty(x.Value))
                        {
                            isMissingRequiredFields = true;
                            break;
                        }
                }

                if (!isMissingRequiredFields) // process form
                {
                    var ip = Request.GetUserHostAddressFromCloudflare();
                    if (!String.IsNullOrEmpty(tmpCollection["ip"]))
                        ip = tmpCollection["ip"];

                    var location = MyUtility.GetLocationBasedOnIpAddress(ip);
                    string FirstName = tmpCollection["first_name"];
                    string LastName = tmpCollection["last_name"];

                    string EMail = tmpCollection["p_login_email"];
                    string ConfirmEmail = tmpCollection["p_login_email_c"];
                    string Password = tmpCollection["login_pass"];

                    //autodetect country, city, state
                    string CountryCode = location.countryCode;
                    string City = location.city;
                    string State = location.region;

                    string provider = String.IsNullOrEmpty(tmpCollection["provider"]) ? String.Empty : tmpCollection["provider"];
                    string uid = String.IsNullOrEmpty(tmpCollection["uid"]) ? String.Empty : tmpCollection["uid"];
                    System.Guid userId = System.Guid.NewGuid();
                    string browser = Request.UserAgent;

                    if (FirstName.Length > 32)
                        ReturnCode.StatusMessage = "First Name cannot exceed 32 characters.";
                    if (LastName.Length > 32)
                        ReturnCode.StatusMessage = "Last Name cannot exceed 32 characters.";
                    if (EMail.Length > 64)
                        ReturnCode.StatusMessage = "Email address cannot exceed 64 characters.";
                    if (State.Length > 30)
                        ReturnCode.StatusMessage = "State cannot exceed 30 characters.";
                    if (City.Length > 50)
                        ReturnCode.StatusMessage = "City cannot exceed 50 characters.";
                    if (String.Compare(EMail, ConfirmEmail, true) != 0)
                        ReturnCode.StatusMessage = "Email addresses do not match";

                    RegexUtilities util = new RegexUtilities();
                    //if (!MyUtility.isEmail(EMail))
                    if (!util.IsValidEmail(EMail))
                        ReturnCode.StatusMessage = "Email address is invalid.";

                    var context = new IPTV2Entities();
                    User user = context.Users.FirstOrDefault(u => String.Compare(u.EMail, EMail, true) == 0);
                    if (user != null)
                        ReturnCode.StatusMessage = "Email address is already taken.";

                    if (GlobalConfig.ExcludedCountriesFromRegistrationDropDown.Split(',').Contains(CountryCode)) // check if country is part of the exclusion list first
                        ReturnCode.StatusMessage = "Country does not exist.";
                    else if (context.Countries.Count(c => String.Compare(c.Code, CountryCode, true) == 0) <= 0) // then check if country is part of the list                    
                        ReturnCode.StatusMessage = "Country does not exist.";
                    if (context.States.Count(s => String.Compare(s.CountryCode, CountryCode, true) == 0) > 0)
                        if (context.States.Count(s => String.Compare(s.CountryCode, CountryCode, true) == 0 && (String.Compare(s.StateCode, State, true) == 0 || String.Compare(s.Name, State, true) == 0)) <= 0)
                            ReturnCode.StatusMessage = "State is invalid for this country.";

                    if (!String.IsNullOrEmpty(ReturnCode.StatusMessage))
                        return this.Json(ReturnCode, JsonRequestBehavior.AllowGet);

                    user = new User()
                    {
                        UserId = userId,
                        FirstName = FirstName,
                        LastName = LastName,
                        City = City,
                        State = State,
                        CountryCode = CountryCode,
                        EMail = EMail,
                        Password = MyUtility.GetSHA1(Password),
                        GigyaUID = userId.ToString(),
                        RegistrationDate = registDt,
                        LastUpdated = registDt,
                        RegistrationIp = ip,
                        StatusId = GlobalConfig.Visible,
                        ActivationKey = Guid.NewGuid(),
                        DateVerified = registDt
                    };

                    try
                    {
                        if (Request.Cookies.AllKeys.Contains("tuid"))
                            user.RegistrationCookie = Request.Cookies["tuid"].Value;
                        else if (Request.Cookies.AllKeys.Contains("regcook"))
                            user.RegistrationCookie = Request.Cookies["regcook"].Value;
                    }
                    catch (Exception) { }

                    ////check for cookie 
                    try
                    {
                        var dt = DateTime.Parse(Request.Cookies["rcDate"].Value);
                        if (registDt.Subtract(dt).Days < 45)
                        {
                            ReturnCode.StatusMessage = "We have detected that you have already registered using this machine.";
                            return this.Json(ReturnCode, JsonRequestBehavior.AllowGet);
                        }
                    }
                    catch (Exception) { }

                    string CurrencyCode = GlobalConfig.DefaultCurrency;
                    var country = context.Countries.FirstOrDefault(c => String.Compare(c.Code, CountryCode, true) == 0);
                    if (country != null)
                        CurrencyCode = country.CurrencyCode;
                    var wallet = user.UserWallets.FirstOrDefault(w => String.Compare(w.Currency, CurrencyCode, true) == 0);
                    if (wallet == null) // Wallet does not exist. Create new wallet for User.
                    {
                        wallet = ContextHelper.CreateWallet(0, CurrencyCode, registDt);
                        user.UserWallets.Add(wallet);
                    }

                    var transaction = new RegistrationTransaction()
                    {
                        RegisteredState = user.State,
                        RegisteredCity = user.City,
                        RegisteredCountryCode = user.CountryCode,
                        Amount = 0,
                        Currency = CurrencyCode,
                        Reference = isSourceAir ? "New Registration (air)" : "New Registration",
                        Date = registDt,
                        OfferingId = GlobalConfig.offeringId,
                        UserId = user.UserId,
                        StatusId = GlobalConfig.Visible
                    };
                    user.Transactions.Add(transaction);

                    context.Users.Add(user);
                    if (context.SaveChanges() > 0)
                    {
                        string verification_email = String.Format("{0}/User/Verify?key={1}", GlobalConfig.baseUrl, user.ActivationKey.ToString());
                        if (isSourceAir)
                        {
                            try
                            {
                                verification_email = String.Format("{0}&source=air", verification_email);
                                var template = MyUtility.GetUrlContent(GlobalConfig.ProjectAirEmailVerificationBodyTemplateUrl);
                                var htmlBody = String.Format(template, FirstName, EMail, verification_email);
                                if (!Request.IsLocal)
                                    try { MyUtility.SendEmailViaSendGrid(EMail, GlobalConfig.NoReplyEmail, "Activate your TFC.tv account", htmlBody, MailType.HtmlOnly, String.Empty); }
                                    catch (Exception e) { MyUtility.LogException(e, "Unable to send email via SendGrid"); }
                            }
                            catch (Exception)
                            {
                                string emailBody = String.Format(GlobalConfig.EmailVerificationBodyTextOnly, FirstName, EMail, verification_email);
                                if (!Request.IsLocal)
                                    try { MyUtility.SendEmailViaSendGrid(EMail, GlobalConfig.NoReplyEmail, "Activate your TFC.tv account", emailBody, MailType.TextOnly, emailBody); }
                                    catch (Exception e) { MyUtility.LogException(e, "Unable to send email via SendGrid"); }
                            }
                        }
                        else
                        {
                            string emailBody = String.Format(GlobalConfig.EmailVerificationBodyTextOnly, FirstName, EMail, verification_email);
                            if (!Request.IsLocal)
                                try { MyUtility.SendEmailViaSendGrid(EMail, GlobalConfig.NoReplyEmail, "Activate your TFC.tv account", emailBody, MailType.TextOnly, emailBody); }
                                catch (Exception e) { MyUtility.LogException(e, "Unable to send email via SendGrid"); }
                        }
                        GSResponse res = null;
                        if (!String.IsNullOrEmpty(uid) && !String.IsNullOrEmpty(provider))
                        {
                            Dictionary<string, object> collection = new Dictionary<string, object>();
                            collection.Add("siteUID", user.UserId);
                            collection.Add("uid", Uri.UnescapeDataString(uid));
                            collection.Add("cid", String.Format("{0} - New User", provider));
                            res = GigyaHelpers.createAndSendRequest("socialize.notifyRegistration", GigyaHelpers.buildParameter(collection));
                            if (res.GetErrorCode() == 0) //Successful link
                            {
                                if (user != null)
                                {
                                    var UserId = user.UserId.ToString();
                                    user.StatusId = GlobalConfig.Visible; //activate account
                                    user.DateVerified = DateTime.Now;
                                    SetAutheticationCookie(UserId);
                                    SetSession(UserId);
                                    if (!ContextHelper.SaveSessionInDatabase(context, user))
                                        context.SaveChanges();
                                }
                            }
                        }
                        else
                        {
                            var info = new GigyaUserInfo()
                            {
                                firstName = FirstName,
                                lastName = LastName,
                                email = EMail
                            };
                            var registrationInfo = new GigyaNotifyLoginInfo()
                            {
                                siteUID = user.UserId.ToString(),
                                cid = "TFCTV - Registration",
                                sessionExpiration = 0,
                                newUser = true,
                                userInfo = Newtonsoft.Json.JsonConvert.SerializeObject(info)
                            };
                            GSObject obj = new GSObject(Newtonsoft.Json.JsonConvert.SerializeObject(registrationInfo));
                            res = GigyaHelpers.createAndSendRequest("socialize.notifyLogin", obj);

                        }

                        if (user != null)
                        {
                            if (user.StatusId == GlobalConfig.Visible)
                            {
                                int freeTrialProductId = 0;
                                if (GlobalConfig.IsFreeTrialEnabled)
                                {
                                    freeTrialProductId = MyUtility.GetCorrespondingFreeTrialProductId();
                                    if (GlobalConfig.TfcTvFree2StartDate < registDt && GlobalConfig.TfcTvFree2EndDate > registDt)
                                    {
                                        string UserCountryCode = user.CountryCode;
                                        if (!GlobalConfig.isUAT)
                                            try { UserCountryCode = MyUtility.GetCountryCodeViaIpAddressWithoutProxy(); }
                                            catch (Exception) { }

                                        var countryList = GlobalConfig.TfcTvFree2CountryWhiteList.Split(',');
                                        if (countryList.Contains(UserCountryCode) && String.Compare(user.CountryCode, UserCountryCode, true) == 0)
                                            freeTrialProductId = GlobalConfig.TfcTvFree2ProductId;
                                    }
                                    PaymentHelper.PayViaWallet(context, userId, freeTrialProductId, SubscriptionProductType.Package, userId, null);
                                }

                                //authenticate user
                                SetAutheticationCookie(user.UserId.ToString());

                                SendToGigya(user);
                                SetSession(user.UserId.ToString());
                                ContextHelper.SaveSessionInDatabase(context, user);

                                //add uid cookie
                                HttpCookie uidCookie = new HttpCookie("uid");
                                uidCookie.Value = user.UserId.ToString();
                                uidCookie.Expires = DateTime.Now.AddDays(30);
                                Response.Cookies.Add(uidCookie);
                            }
                        }

                        GigyaHelpers.setCookie(res, this.ControllerContext);
                        GigyaUserData2 userData = new GigyaUserData2()
                        {
                            city = user.City,
                            country = user.CountryCode,
                            email = user.EMail,
                            firstName = user.FirstName,
                            lastName = user.LastName,
                            state = user.State
                        };

                        //GigyaUserDataInfo userDataInfo = new GigyaUserDataInfo()
                        //{
                        //    UID = user.UserId.ToString(),
                        //    data = Newtonsoft.Json.JsonConvert.SerializeObject(userData, Formatting.None)
                        //};

                        TFCTV.Helpers.UserData privacyData = new UserData() { IsExternalSharingEnabled = "true,false", IsInternalSharingEnabled = "true,false", IsProfilePrivate = "false" };

                        GigyaUserDataInfo2 userDataInfo = new GigyaUserDataInfo2()
                        {
                            UID = user.UserId.ToString(),
                            profile = Newtonsoft.Json.JsonConvert.SerializeObject(userData, Formatting.None),
                            data = Newtonsoft.Json.JsonConvert.SerializeObject(privacyData, Formatting.None)
                        };

                        GSObject userDataInfoObj = new GSObject(Newtonsoft.Json.JsonConvert.SerializeObject(userDataInfo));
                        //res = GigyaHelpers.createAndSendRequest("gcs.setUserData", userDataInfoObj);
                        res = GigyaHelpers.createAndSendRequest("ids.setAccountInfo", userDataInfoObj);
                        var returnCode = res.GetErrorCode();

                        //Publish to Activity Feed
                        List<ActionLink> actionlinks = new List<ActionLink>();
                        actionlinks.Add(new ActionLink() { text = SNSTemplates.register_actionlink_text, href = String.Format("{0}{1}", GlobalConfig.baseUrl, SNSTemplates.register_actionlink_href) });
                        //mediaItem
                        List<MediaItem> mediaItems = new List<MediaItem>();
                        mediaItems.Add(new MediaItem() { type = SNSTemplates.register_mediaitem_type, src = String.Format("{0}{1}", GlobalConfig.AssetsBaseUrl, SNSTemplates.register_mediaitem_src), href = String.Format("{0}{1}", GlobalConfig.baseUrl, SNSTemplates.register_mediaitem_href) });
                        UserAction action = new UserAction()
                        {
                            actorUID = userId.ToString(),
                            userMessage = SNSTemplates.register_usermessage,
                            title = SNSTemplates.register_title,
                            subtitle = String.Format("{0}{1}", GlobalConfig.baseUrl, SNSTemplates.register_subtitle),
                            linkBack = String.Format("{0}{1}", GlobalConfig.baseUrl, SNSTemplates.register_linkback),
                            description = String.Format(SNSTemplates.register_description, FirstName),
                            actionLinks = actionlinks,
                            mediaItems = mediaItems
                        };

                        GigyaMethods.PublishUserAction(action, userId, "external");
                        action.userMessage = String.Empty;
                        action.title = String.Empty;
                        action.mediaItems = null;
                        GigyaMethods.PublishUserAction(action, userId, "internal");

                        TempData["qs"] = null; // empty the TempData upon successful registration

                        ReturnCode.StatusCode = (int)ErrorCodes.Success;
                        ReturnCode.info7 = user.EMail;
                        if (user.StatusId == GlobalConfig.Visible)
                        {
                            ReturnCode.StatusHeader = "Your 7-Day Free Trial Starts Now!";
                            ReturnCode.StatusMessage = "Congratulations! You are now registered to TFC.tv.";
                            ReturnCode.StatusMessage2 = "Pwede ka nang manood ng mga piling Kapamilya shows at movies!";
                            ReturnCode.info3 = user.UserId.ToString();

                            //Change to social registration
                            ReturnCode.info = "SocialRegistration";
                            ReturnCode.TransactionType = "SocialRegistration";
                        }
                        else
                        {
                            ReturnCode.StatusHeader = "Email verification sent!";
                            ReturnCode.StatusMessage = "Congratulations! You are one step away from completing your registration.";
                            ReturnCode.StatusMessage2 = "An email has been sent to you.<br> Verify your email address to complete your registration.";
                        }
                        TempData["ErrorMessage"] = ReturnCode;
                        //if(xoom)
                        if (Request.Cookies.AllKeys.Contains("xoom"))
                        {
                            var userPromo = new UserPromo();
                            userPromo.UserId = user.UserId;
                            userPromo.PromoId = GlobalConfig.Xoom2PromoId;
                            userPromo.AuditTrail.CreatedOn = registDt;
                            context.UserPromos.Add(userPromo);
                            context.SaveChanges();
                        }

                        return this.Json(ReturnCode, JsonRequestBehavior.AllowGet); // successful registration
                    }
                }
                else
                    ReturnCode.StatusMessage = "Please fill in all required fields.";

                url = String.Format("{0}?{1}", Request.UrlReferrer.AbsolutePath, MyUtility.DictionaryToQueryString(tmpCollection));
            }
            catch (Exception e) { MyUtility.LogException(e); }
            return this.Json(ReturnCode, JsonRequestBehavior.AllowGet);
        }
        public ActionResult _EditUserProfile(FormCollection fc)
        {
            var ReturnCode = new TransactionReturnType()
            {
                StatusCode = (int)ErrorCodes.UnknownError,
                StatusMessage = String.Empty
            };

            string url = Url.Action("EditYourProfile", "User").ToString();
            var field_names = new string[] { "recurring_status", "disabled_list", "enabled_list", "internal_share", "external_share", "private_profile" };
            try
            {
                if (!User.Identity.IsAuthenticated)
                    return RedirectToAction("EditYourProfile", "User");

                DateTime registDt = DateTime.Now;
                Dictionary<string, string> tmpCollection = fc.AllKeys.ToDictionary(k => k, v => fc[v]);
                bool isMissingRequiredFields = false;

                foreach (var x in tmpCollection)
                {
                    if (!field_names.Contains(x.Key))
                        if (String.IsNullOrEmpty(x.Value))
                        {
                            isMissingRequiredFields = true;
                            break;
                        }
                }

                if (!isMissingRequiredFields) // process form
                {
                    string FirstName = tmpCollection["first_name"];
                    string LastName = tmpCollection["last_name"];
                    string CountryCode = tmpCollection["country"];
                    string City = tmpCollection["city"];
                    string State = tmpCollection["state"];
                    string browser = Request.UserAgent;

                    if (FirstName.Length > 32)
                        ReturnCode.StatusMessage = "First Name cannot exceed 32 characters.";
                    if (LastName.Length > 32)
                        ReturnCode.StatusMessage = "Last Name cannot exceed 32 characters.";
                    if (State.Length > 30)
                        ReturnCode.StatusMessage = "State cannot exceed 30 characters.";
                    if (City.Length > 50)
                        ReturnCode.StatusMessage = "City cannot exceed 50 characters.";

                    var context = new IPTV2Entities();
                    var userId = new Guid(User.Identity.Name);
                    User user = context.Users.FirstOrDefault(u => u.UserId == userId);
                    if (user == null)
                        return RedirectToAction("Index", "Home");

                    if (GlobalConfig.ExcludedCountriesFromRegistrationDropDown.Split(',').Contains(CountryCode)) // check if country is part of the exclusion list first
                        ReturnCode.StatusMessage = "Country does not exist.";
                    else if (context.Countries.Count(c => String.Compare(c.Code, CountryCode, true) == 0) <= 0) // then check if country is part of the list                    
                        ReturnCode.StatusMessage = "Country does not exist.";
                    if (context.States.Count(s => String.Compare(s.CountryCode, CountryCode, true) == 0) > 0)
                        if (context.States.Count(s => String.Compare(s.CountryCode, CountryCode, true) == 0 && (String.Compare(s.StateCode, State, true) == 0 || String.Compare(s.Name, State, true) == 0)) <= 0)
                            ReturnCode.StatusMessage = "State is invalid for this country.";

                    if (!String.IsNullOrEmpty(ReturnCode.StatusMessage))
                    {
                        TempData["ErrorMessage"] = ReturnCode;
                        return RedirectToAction("EditYourProfile", "User");
                    }

                    string currentCountryCode = user.CountryCode;
                    string newCountryCode = CountryCode;
                    string currentCurrencyCode = user.Country.CurrencyCode;
                    string newCurrencyCode = GlobalConfig.DefaultCurrency;


                    //Update information that is not affected by country change                    
                    user.FirstName = FirstName;
                    user.LastName = LastName;
                    user.LastUpdated = registDt;

                    //Update privacy policy
                    string IsInternalSharingEnabled = fc["internal_share"];
                    string IsExternalSharingEnabled = fc["external_share"];
                    string IsProfilePrivate = fc["private_profile"];

                    try
                    {
                        UserData userData = new UserData()
                        {
                            IsInternalSharingEnabled = IsInternalSharingEnabled,
                            IsExternalSharingEnabled = IsExternalSharingEnabled,
                            IsProfilePrivate = IsProfilePrivate
                        };
                        GigyaMethods.SetUserData(user.UserId, userData);
                    }
                    catch (Exception) { }

                    // Update recurring billing
                    if (!String.IsNullOrEmpty(fc["disabled_list"]))
                        UpdateRecurringBillingViaEditProfile2(context, user, fc["disabled_list"], false);
                    if (!String.IsNullOrEmpty(fc["enabled_list"]))
                        UpdateRecurringBillingViaEditProfile2(context, user, fc["enabled_list"], true);

                    //Check if country of user changed
                    if (String.Compare(user.CountryCode, CountryCode, true) != 0)
                    {
                        var offering = context.Offerings.Find(GlobalConfig.offeringId);
                        //Get User Transactions
                        if (user.HasOtherPendingGomsTransaction(offering))
                            ReturnCode.StatusMessage = "We are still processing your transactions. Please try again after a few minutes.";
                        else if (user.HasPendingGomsChangeCountryTransaction(offering))
                            ReturnCode.StatusMessage = "We are processing your recent change in location. Please try again after a few minutes.";
                        else if (user.HasTVEverywhereEntitlement(MyUtility.StringToIntList(GlobalConfig.TVEverywherePackageIds), offering))
                            ReturnCode.StatusMessage = "You are not allowed to change country being a TV Everywhere user.";
                        else
                        {
                            var newCountry = context.Countries.FirstOrDefault(c => String.Compare(c.Code, newCountryCode, true) == 0);
                            if (newCountry != null)
                                newCurrencyCode = newCountry.CurrencyCode;

                            var currentWallet = user.UserWallets.FirstOrDefault(w => String.Compare(w.Currency, currentCurrencyCode, true) == 0);
                            if (currentWallet == null) //If no wallet, get default USD wallet.
                                currentWallet = user.UserWallets.FirstOrDefault(w => String.Compare(w.Currency, GlobalConfig.DefaultCurrency, true) == 0);
                            var newWallet = user.UserWallets.FirstOrDefault(w => String.Compare(w.Currency, newCurrencyCode, true) == 0);

                            decimal balance = 0;
                            decimal currentWalletBalance = currentWallet.Balance;
                            var currentGomsWalletId = currentWallet.GomsWalletId;
                            if (newWallet == null) // new wallet currency does not exist. create new wallet for user
                            {
                                if (currentWallet != null)
                                {
                                    balance = Forex.Convert(context, currentWallet.Currency, newCurrencyCode, currentWallet.Balance);
                                    currentWallet.Balance = 0;
                                    currentWallet.IsActive = false;
                                    currentWallet.LastUpdated = registDt;
                                    var wallet = ContextHelper.CreateWallet(balance, newCurrencyCode, registDt);
                                    user.UserWallets.Add(wallet);
                                }
                            }
                            else  // new wallet currency exists, update the balance onl
                            {
                                if (String.Compare(newCurrencyCode, currentCurrencyCode, true) != 0)
                                {
                                    balance = Forex.Convert(context, currentWallet.Currency, newWallet.Currency, currentWallet.Balance);
                                    newWallet.Balance = balance;
                                    newWallet.IsActive = true;
                                    newWallet.LastUpdated = registDt;
                                    newWallet.GomsWalletId = null; // Reset Goms WalletId

                                    currentWallet.Balance = 0; // Deactivate old wallet
                                    currentWallet.IsActive = false; //Deactivate                                
                                    currentWallet.LastUpdated = registDt;
                                }
                                else
                                {
                                    newWallet.GomsWalletId = null;
                                    newWallet.LastUpdated = registDt;
                                }
                            }

                            ChangeCountryTransaction transaction = new ChangeCountryTransaction()
                            {
                                OldCountryCode = currentCountryCode,
                                NewCountryCode = newCountryCode,
                                Date = registDt,
                                OfferingId = GlobalConfig.offeringId,
                                Reference = "Change Country",
                                UserId = user.UserId,
                                Amount = 0,
                                NewWalletBalance = balance,
                                OldWalletBalance = currentWalletBalance,
                                OldGomsCustomerId = user.GomsCustomerId,
                                OldGomsWalletId = currentGomsWalletId,
                                Currency = currentCurrencyCode,
                                StatusId = GlobalConfig.Visible
                            };
                            user.Transactions.Add(transaction);
                            user.CountryCode = CountryCode;
                        }

                        if (!String.IsNullOrEmpty(ReturnCode.StatusMessage))
                        {
                            TempData["ErrorMessage"] = ReturnCode;
                            return RedirectToAction("EditYourProfile", "User");
                        }

                        user.State = State;
                        user.City = City;


                        if (context.SaveChanges() > 0)
                        {
                            setUserData(user.UserId.ToString(), user);
                            ReturnCode.StatusCode = (int)ErrorCodes.Success;
                            ReturnCode.StatusHeader = "Profile update complete!";
                            ReturnCode.StatusMessage = "You should see the changes on your profile automatically.";
                            ReturnCode.StatusMessage2 = String.Empty;
                            TempData["ErrorMessage"] = ReturnCode;
                            return RedirectToAction("Index", "Profile");
                        }
                        else
                            ReturnCode.StatusMessage = "Ooops! We encountered a problem updating your profile. Please try again later.";
                    }
                    else
                    {
                        user.City = City;
                        user.State = State;
                        if (context.SaveChanges() > 0)
                        {
                            setUserData(user.UserId.ToString(), user);
                            ReturnCode.StatusCode = (int)ErrorCodes.Success;
                            ReturnCode.StatusHeader = "Profile update complete!";
                            ReturnCode.StatusMessage = "You should see the changes on your profile automatically.";
                            ReturnCode.StatusMessage2 = String.Empty;
                            TempData["ErrorMessage"] = ReturnCode;
                            return RedirectToAction("Index", "Profile");
                        }
                        else
                            ReturnCode.StatusMessage = "The system encountered an unspecified error while updating your profile. Please contact support.";
                    }
                }
                else
                    ReturnCode.StatusMessage = "Please fill in all required fields.";

                TempData["ErrorMessage"] = ReturnCode;
                url = Request.UrlReferrer.AbsolutePath;
            }
            catch (System.Data.Entity.Validation.DbEntityValidationException en)
            {
                MyUtility.LogException((Exception)en, string.Join(",", en.EntityValidationErrors).ToString());
            }
            catch (Exception e) { MyUtility.LogException(e); }
            return Redirect(url);
        }
        private bool IsProfilePrivate(Guid userId)
        {
            UserData uData = new UserData() { IsExternalSharingEnabled = "true", IsInternalSharingEnabled = "true", IsProfilePrivate = "false" };
            try
            {
                var userData = GigyaMethods.GetUserData(userId, "IsExternalSharingEnabled,IsInternalSharingEnabled,IsProfilePrivate");
                if (userData.GetKeys().Count() >= 3)
                    if (userData != null)
                    {
                        uData = JsonConvert.DeserializeObject<UserData>(userData.ToJsonString());
                        if (uData.IsProfilePrivate.Contains("true"))
                            return true;
                        else
                            return false;
                    }

                return false;
            }
            catch (Exception)
            {
                return false;
            }
        }
Beispiel #5
0
 public static string SetUserData(Guid userId, UserData privacyData, GigyaUserData2 userData)
 {
     var pData = JsonConvert.SerializeObject(privacyData);
     var uData = JsonConvert.SerializeObject(userData);
     Dictionary<string, object> collection = new Dictionary<string, object>();
     collection.Add("UID", userId.ToString());
     collection.Add("profile", uData);
     collection.Add("data", pData);
     //collection.Add("updateBehavior", "arraySet");
     //GSResponse res = GigyaHelpers.createAndSendRequest("gcs.setUserData", GigyaHelpers.buildParameter(collection));
     GSResponse res = GigyaHelpers.createAndSendRequest("ids.setAccountInfo", GigyaHelpers.buildParameter(collection));
     return res.GetData().ToJsonString();
 }
        public JsonResult GSocialize()
        {
            var ReturnCode = new SocializeReturnCodeObj()
            {
                StatusCode = (int)ErrorCodes.UnknownError,
                StatusMessage = String.Empty
            };

            var registDt = DateTime.Now;
            var skipValidation = false;
            try
            {
                if (!String.IsNullOrEmpty(Request.QueryString["sv"]))
                {
                    var svTemp = Convert.ToInt32(Request.QueryString["sv"]);
                    if (svTemp == 1)
                        skipValidation = true;
                }
            }

            catch (Exception) { }
            try
            {
                NameValueCollection qs = Request.QueryString;
                string gigyaUID = Uri.UnescapeDataString(qs["UID"]);
                bool isRequestValid = SigUtils.ValidateUserSignature(gigyaUID, Uri.UnescapeDataString(qs["timestamp"]), GlobalConfig.GSsecretkey, Uri.UnescapeDataString(qs["signature"]));
                if (isRequestValid || skipValidation)
                {
                    using (var context = new IPTV2Entities())
                    {
                        User user = null;
                        bool isSiteUID = Convert.ToBoolean(qs["isSiteUID"]);
                        if (isSiteUID) //Old user. Signin to site
                        {
                            var UserId = new Guid(gigyaUID);
                            user = context.Users.FirstOrDefault(u => u.UserId == UserId);
                            if (user != null)
                            {
                                if (user.StatusId == GlobalConfig.Visible) //Successful Login
                                    ReturnCode.StatusCode = (int)ErrorCodes.Success;
                                else
                                    ReturnCode.StatusMessage = "Account is not verified in our system.";
                            }
                            else
                            {
                                //ReturnCode.StatusMessage = "Social networking account does not exist in our system.";
                                //Create user                                
                                string FirstName = qs["first_name"];
                                string LastName = qs["last_name"];
                                string EMail = qs["login_email"];
                                string uid = qs["uid"];
                                string provider = qs["provider"];
                                string Password = Membership.GeneratePassword(10, 2);
                                string City = String.Empty;
                                string State = String.Empty;
                                string CountryCode = GlobalConfig.DefaultCountry;
                                var id = UserId;
                                var ip = qs["ip"];

                                try
                                {
                                    var location = MyUtility.GetLocationBasedOnIpAddress(ip);
                                    City = location.city;
                                    CountryCode = location.countryCode;
                                    State = String.Compare(CountryCode, GlobalConfig.DefaultCountry, true) == 0 ? location.region : location.regionName;
                                }
                                catch (Exception) { }

                                user = new User()
                                {
                                    UserId = id,
                                    FirstName = FirstName,
                                    LastName = LastName,
                                    City = City,
                                    State = State,
                                    CountryCode = CountryCode,
                                    EMail = EMail,
                                    Password = MyUtility.GetSHA1(Password),
                                    GigyaUID = id.ToString(),
                                    RegistrationDate = registDt,
                                    LastUpdated = registDt,
                                    RegistrationIp = ip ?? MyUtility.GetClientIpAddress(),
                                    DateVerified = registDt,
                                    StatusId = GlobalConfig.Visible,
                                    ActivationKey = Guid.NewGuid()
                                };

                                var CurrencyCode = GlobalConfig.DefaultCurrency;
                                var country = context.Countries.FirstOrDefault(c => String.Compare(c.Code, CountryCode, true) == 0);
                                if (country != null)
                                    CurrencyCode = country.CurrencyCode;

                                var wallet = user.UserWallets.FirstOrDefault(w => String.Compare(w.Currency, CurrencyCode, true) == 0);
                                if (wallet == null)
                                {
                                    wallet = ContextHelper.CreateWallet(0, CurrencyCode, registDt);
                                    user.UserWallets.Add(wallet);
                                }

                                var transaction = new RegistrationTransaction()
                                {
                                    RegisteredState = user.State,
                                    RegisteredCity = user.City,
                                    RegisteredCountryCode = user.CountryCode,
                                    Amount = 0,
                                    Currency = CurrencyCode,
                                    Reference = "New Registration (AIR PLUS)",
                                    Date = registDt,
                                    OfferingId = GlobalConfig.offeringId,
                                    UserId = user.UserId,
                                    StatusId = GlobalConfig.Visible
                                };

                                user.Transactions.Add(transaction);
                                context.Users.Add(user);

                                if (context.SaveChanges() > 0)
                                {
                                    ReturnCode.StatusCode = (int)ErrorCodes.Success;
                                    GSResponse res = null;

                                    GigyaUserData2 userData = new GigyaUserData2()
                                    {
                                        city = user.City,
                                        country = user.CountryCode,
                                        email = user.EMail,
                                        firstName = user.FirstName,
                                        lastName = user.LastName,
                                        state = user.State
                                    };

                                    TFCTV.Helpers.UserData privacyData = new UserData() { IsExternalSharingEnabled = "true,false", IsInternalSharingEnabled = "true,false", IsProfilePrivate = "false" };
                                    GigyaUserDataInfo2 userDataInfo = new GigyaUserDataInfo2()
                                    {
                                        UID = user.UserId.ToString(),
                                        profile = Newtonsoft.Json.JsonConvert.SerializeObject(userData, Formatting.None),
                                        data = Newtonsoft.Json.JsonConvert.SerializeObject(privacyData, Formatting.None)
                                    };

                                    GSObject userDataInfoObj = new GSObject(Newtonsoft.Json.JsonConvert.SerializeObject(userDataInfo));                                    //res = GigyaHelpers.createAndSendRequest("gcs.setUserData", userDataInfoObj);
                                    res = GigyaHelpers.createAndSendRequest("ids.setAccountInfo", userDataInfoObj);

                                    //Publish to Activity Feed
                                    List<ActionLink> actionlinks = new List<ActionLink>();
                                    actionlinks.Add(new ActionLink() { text = SNSTemplates.register_actionlink_text, href = String.Format("{0}{1}", GlobalConfig.baseUrl, SNSTemplates.register_actionlink_href) });
                                    //mediaItem
                                    List<MediaItem> mediaItems = new List<MediaItem>();
                                    mediaItems.Add(new MediaItem() { type = SNSTemplates.register_mediaitem_type, src = String.Format("{0}{1}", GlobalConfig.AssetsBaseUrl, SNSTemplates.register_mediaitem_src), href = String.Format("{0}{1}", GlobalConfig.baseUrl, SNSTemplates.register_mediaitem_href) });
                                    UserAction action = new UserAction()
                                    {
                                        actorUID = user.UserId.ToString(),
                                        userMessage = SNSTemplates.register_usermessage,
                                        title = SNSTemplates.register_title,
                                        subtitle = String.Format("{0}{1}", GlobalConfig.baseUrl, SNSTemplates.register_subtitle),
                                        linkBack = String.Format("{0}{1}", GlobalConfig.baseUrl, SNSTemplates.register_linkback),
                                        description = String.Format(SNSTemplates.register_description, FirstName),
                                        actionLinks = actionlinks,
                                        mediaItems = mediaItems
                                    };

                                    GigyaMethods.PublishUserAction(action, user.UserId, "external");
                                    action.userMessage = String.Empty;
                                    action.title = String.Empty;
                                    action.mediaItems = null;
                                    GigyaMethods.PublishUserAction(action, user.UserId, "internal");
                                }
                            }
                        }
                        else //New user. allow user to register
                        {
                            bool createUser = true;
                            if (!String.IsNullOrEmpty(qs["email"]))
                            {
                                string email = qs["email"];
                                user = context.Users.FirstOrDefault(u => String.Compare(u.EMail, email, true) == 0);
                                if (user != null) // link account
                                {
                                    Dictionary<string, object> collection = new Dictionary<string, object>();
                                    collection.Add("siteUID", user.UserId);
                                    collection.Add("uid", Uri.UnescapeDataString(qs["UID"]));
                                    collection.Add("cid", String.Format("{0} - New User", qs["provider"]));

                                    GSObject obj = new GSObject(Newtonsoft.Json.JsonConvert.SerializeObject(collection));
                                    GSResponse res = GigyaHelpers.createAndSendRequest("socialize.notifyRegistration", obj);
                                    if (res.GetErrorCode() == 0) //Successful link
                                    {
                                        createUser = false;
                                        var UserId = user.UserId.ToString();
                                        user.StatusId = GlobalConfig.Visible; //activate account
                                        user.DateVerified = DateTime.Now;
                                        if (context.SaveChanges() > 0)
                                            ReturnCode.StatusCode = (int)ErrorCodes.Success;
                                        else
                                            ReturnCode.StatusMessage = "Create user failed";
                                    }
                                    else
                                        ReturnCode.StatusMessage = res.GetErrorMessage();
                                }
                            }

                            if (createUser)
                            {
                                string FirstName = qs["first_name"];
                                string LastName = qs["last_name"];
                                string EMail = qs["login_email"];
                                string uid = qs["uid"];
                                string provider = qs["provider"];
                                string Password = Membership.GeneratePassword(10, 2);
                                string City = String.Empty;
                                string State = String.Empty;
                                string CountryCode = GlobalConfig.DefaultCountry;
                                var id = Guid.NewGuid();
                                var ip = qs["ip"];

                                try
                                {
                                    var location = MyUtility.GetLocationBasedOnIpAddress(ip);
                                    City = location.city;
                                    CountryCode = location.countryCode;
                                    State = String.Compare(CountryCode, GlobalConfig.DefaultCountry, true) == 0 ? location.region : location.regionName;
                                }
                                catch (Exception) { }


                                user = new User()
                                {
                                    UserId = id,
                                    FirstName = FirstName,
                                    LastName = LastName,
                                    City = City,
                                    State = State,
                                    CountryCode = CountryCode,
                                    EMail = EMail,
                                    Password = MyUtility.GetSHA1(Password),
                                    GigyaUID = id.ToString(),
                                    RegistrationDate = registDt,
                                    LastUpdated = registDt,
                                    RegistrationIp = ip ?? MyUtility.GetClientIpAddress(),
                                    ActivationKey = Guid.NewGuid()
                                };

                                var CurrencyCode = GlobalConfig.DefaultCurrency;
                                var country = context.Countries.FirstOrDefault(c => String.Compare(c.Code, CountryCode, true) == 0);
                                if (country != null)
                                    CurrencyCode = country.CurrencyCode;

                                var wallet = user.UserWallets.FirstOrDefault(w => String.Compare(w.Currency, CurrencyCode, true) == 0);
                                if (wallet == null)
                                {
                                    wallet = ContextHelper.CreateWallet(0, CurrencyCode, registDt);
                                    user.UserWallets.Add(wallet);
                                }

                                var transaction = new RegistrationTransaction()
                                {
                                    RegisteredState = user.State,
                                    RegisteredCity = user.City,
                                    RegisteredCountryCode = user.CountryCode,
                                    Amount = 0,
                                    Currency = CurrencyCode,
                                    Reference = "New Registration (AIR PLUS)",
                                    Date = registDt,
                                    OfferingId = GlobalConfig.offeringId,
                                    UserId = user.UserId,
                                    StatusId = GlobalConfig.Visible
                                };

                                user.Transactions.Add(transaction);
                                context.Users.Add(user);

                                if (context.SaveChanges() > 0)
                                {
                                    GSResponse res = null;
                                    if (!String.IsNullOrEmpty(uid) && !String.IsNullOrEmpty(provider))
                                    {
                                        Dictionary<string, object> collection = new Dictionary<string, object>();
                                        collection.Add("siteUID", user.UserId);
                                        collection.Add("uid", Uri.UnescapeDataString(uid));
                                        collection.Add("cid", String.Format("{0} - New User", provider));
                                        res = GigyaHelpers.createAndSendRequest("socialize.notifyRegistration", GigyaHelpers.buildParameter(collection));
                                        if (res.GetErrorCode() == 0) //Successful link
                                        {
                                            if (user != null)
                                            {
                                                var UserId = user.UserId.ToString();
                                                user.StatusId = GlobalConfig.Visible; //activate account
                                                user.DateVerified = DateTime.Now;
                                                if (context.SaveChanges() > 0)
                                                    ReturnCode.StatusCode = (int)ErrorCodes.Success;
                                            }
                                        }
                                    }
                                    else
                                        ReturnCode.StatusMessage = "Missing parameters uid & provider";
                                    //else
                                    //{
                                    //    var info = new GigyaUserInfo()
                                    //    {
                                    //        firstName = FirstName,
                                    //        lastName = LastName,
                                    //        email = EMail
                                    //    };

                                    //    var registrationInfo = new GigyaNotifyLoginInfo()
                                    //    {
                                    //        siteUID = user.UserId.ToString(),
                                    //        cid = "TFCTV - Registration",
                                    //        sessionExpiration = 0,
                                    //        newUser = true,
                                    //        userInfo = Newtonsoft.Json.JsonConvert.SerializeObject(info)
                                    //    };
                                    //    GSObject obj = new GSObject(Newtonsoft.Json.JsonConvert.SerializeObject(registrationInfo));
                                    //    res = GigyaHelpers.createAndSendRequest("socialize.notifyLogin", obj);
                                    //    ReturnCode.StatusCode = (int)ErrorCodes.Success;
                                    //}

                                    if (ReturnCode.StatusCode == (int)ErrorCodes.Success)
                                    {
                                        GigyaUserData2 userData = new GigyaUserData2()
                                        {
                                            city = user.City,
                                            country = user.CountryCode,
                                            email = user.EMail,
                                            firstName = user.FirstName,
                                            lastName = user.LastName,
                                            state = user.State
                                        };

                                        TFCTV.Helpers.UserData privacyData = new UserData() { IsExternalSharingEnabled = "true,false", IsInternalSharingEnabled = "true,false", IsProfilePrivate = "false" };

                                        GigyaUserDataInfo2 userDataInfo = new GigyaUserDataInfo2()
                                        {
                                            UID = user.UserId.ToString(),
                                            profile = Newtonsoft.Json.JsonConvert.SerializeObject(userData, Formatting.None),
                                            data = Newtonsoft.Json.JsonConvert.SerializeObject(privacyData, Formatting.None)
                                        };

                                        GSObject userDataInfoObj = new GSObject(Newtonsoft.Json.JsonConvert.SerializeObject(userDataInfo));                                    //res = GigyaHelpers.createAndSendRequest("gcs.setUserData", userDataInfoObj);
                                        res = GigyaHelpers.createAndSendRequest("ids.setAccountInfo", userDataInfoObj);

                                        //Publish to Activity Feed
                                        List<ActionLink> actionlinks = new List<ActionLink>();
                                        actionlinks.Add(new ActionLink() { text = SNSTemplates.register_actionlink_text, href = String.Format("{0}{1}", GlobalConfig.baseUrl, SNSTemplates.register_actionlink_href) });
                                        //mediaItem
                                        List<MediaItem> mediaItems = new List<MediaItem>();
                                        mediaItems.Add(new MediaItem() { type = SNSTemplates.register_mediaitem_type, src = String.Format("{0}{1}", GlobalConfig.AssetsBaseUrl, SNSTemplates.register_mediaitem_src), href = String.Format("{0}{1}", GlobalConfig.baseUrl, SNSTemplates.register_mediaitem_href) });
                                        UserAction action = new UserAction()
                                        {
                                            actorUID = user.UserId.ToString(),
                                            userMessage = SNSTemplates.register_usermessage,
                                            title = SNSTemplates.register_title,
                                            subtitle = String.Format("{0}{1}", GlobalConfig.baseUrl, SNSTemplates.register_subtitle),
                                            linkBack = String.Format("{0}{1}", GlobalConfig.baseUrl, SNSTemplates.register_linkback),
                                            description = String.Format(SNSTemplates.register_description, FirstName),
                                            actionLinks = actionlinks,
                                            mediaItems = mediaItems
                                        };

                                        GigyaMethods.PublishUserAction(action, user.UserId, "external");
                                        action.userMessage = String.Empty;
                                        action.title = String.Empty;
                                        action.mediaItems = null;
                                        GigyaMethods.PublishUserAction(action, user.UserId, "internal");
                                    }
                                }
                            }
                        }

                        if (ReturnCode.StatusCode == (int)ErrorCodes.Success)
                        {
                            ReturnCode.StatusMessage = "Success!";

                            //GenerateToken
                            SynapseUserInfo uInfo = new SynapseUserInfo() { firstName = user.FirstName, lastName = user.LastName, email = user.EMail };
                            Dictionary<string, object> collection = new Dictionary<string, object>();
                            collection.Add("client_id", GlobalConfig.GSapikey);
                            collection.Add("client_secret", GlobalConfig.GSsecretkey);
                            collection.Add("grant_type", "none");
                            collection.Add("x_siteUID", user.UserId);
                            collection.Add("x_sessionExpiration", 0);
                            collection.Add("x_userInfo", JsonConvert.SerializeObject(uInfo));
                            GSResponse res = GigyaHelpers.createAndSendRequest("socialize.getToken", GigyaHelpers.buildParameter(collection));
                            SynapseCookie cookie = new SynapseCookie()
                            {
                                cookieName = FormsAuthentication.FormsCookieName,
                                cookiePath = FormsAuthentication.FormsCookiePath,
                                cookieDomain = FormsAuthentication.CookieDomain
                            };

                            if (res.GetErrorCode() == 0)
                            {
                                HttpCookie authCookie = SetCookie(user.UserId.ToString());
                                cookie.cookieValue = authCookie.Value;
                                ContextHelper.SaveSessionInDatabase(context, user, authCookie.Value);
                                SynapseToken token = new SynapseToken()
                                {
                                    uid = user.UserId.ToString(),
                                    token = res.GetString("access_token", String.Empty),
                                    expire = res.GetInt("expires_in", 0),
                                };

                                ReturnCode.tk = token;
                                ReturnCode.gs = cookie;
                            }
                            else
                            {
                                ReturnCode.StatusCode = res.GetErrorCode();
                                ReturnCode.StatusMessage = res.GetErrorMessage();
                            }
                        }
                    }
                }
                else
                    ReturnCode.StatusMessage = "Request is not valid";
            }
            catch (Exception e) { MyUtility.LogException(e); ReturnCode.StatusMessage = String.Format("Exception: {0} | Inner Exception: {1}", e.Message, e.InnerException.Message); }
            return this.Json(ReturnCode, JsonRequestBehavior.AllowGet);
        }