¿Cómo redirigir a otra página usando AngularJS?

171

Estoy usando la llamada ajax para realizar la funcionalidad en un archivo de servicio y si la respuesta es exitosa, quiero redirigir la página a otra url. Actualmente, estoy haciendo esto usando js simple "window.location = response ['message'];". Pero necesito reemplazarlo con el código angularjs. He buscado varias soluciones en stackoverflow, usaron $ location. Pero soy nuevo en angular y tengo problemas para implementarlo.

$http({
            url: RootURL+'app-code/common.service.php',
            method: "POST",
            headers: {'Content-Type': 'application/x-www-form-urlencoded'},
            dataType: 'json',
            data:data + '&method=signin'

        }).success(function (response) {

            console.log(response);

            if (response['code'] == '420') {

                $scope.message = response['message'];
                $scope.loginPassword = '';
            }
            else if (response['code'] != '200'){

                $scope.message = response['message'];
                $scope.loginPassword = '';
            }
            else {
                window.location = response['message'];
            }
            //  $scope.users = data.users;    // assign  $scope.persons here as promise is resolved here
        })
Farjad Hasan
fuente
2
¿Por qué necesitas usar angular para eso? ¿Alguna razón específica? document.location es la forma correcta y probablemente más eficaz que la forma angular
casraf

Respuestas:

229

Puedes usar Angular $window:

$window.location.href = '/index.html';

Ejemplo de uso en un controlador:

(function () {
    'use strict';

    angular
        .module('app')
        .controller('LoginCtrl', LoginCtrl);

    LoginCtrl.$inject = ['$window', 'loginSrv', 'notify'];

    function LoginCtrl($window, loginSrv, notify) {
        /* jshint validthis:true */
        var vm = this;
        vm.validateUser = function () {
             loginSrv.validateLogin(vm.username, vm.password).then(function (data) {          
                if (data.isValidUser) {    
                    $window.location.href = '/index.html';
                }
                else
                    alert('Login incorrect');
            });
        }
    }
})();
Ewald Stieger
fuente
1
He usado $ window.location.href pero da un error de función indefinida $ window.location. ¿Necesito incluir alguna dependencia para esto?
Farjad Hasan
3
No, pero es posible que deba inyectar $ window en su controlador. Ver mi respuesta editada.
Ewald Stieger
2
Su window.location.href no $ window.location.href
Junaid
3
@ user3623224 - en realidad no lo es;)
Ben
12
@Junaid window.location.href es para el objeto de ventana tradicional, $ window.location.href es para el objeto de ventana AngularJS $, aquí: docs.angularjs.org/api/ng/service/$window
Mikel Bitson
122

Puede redirigir a una nueva URL de diferentes maneras.

  1. Puede usar $ window que también actualizará la página
  2. Puede "permanecer dentro" de la aplicación de una sola página y usar $ location en cuyo caso puede elegir entre $location.path(YOUR_URL);o $location.url(YOUR_URL);. Entonces, la diferencia básica entre los 2 métodos es que $location.url()también afecta a los parámetros de obtención, mientras $location.path()que no.

Recomendaría leer los documentos $locationy $windowasí comprender mejor las diferencias entre ellos.

Cristi Berceanu
fuente
15

$location.path('/configuration/streaming'); esto funcionará ... inyecte el servicio de ubicación en el controlador

usuario2266928
fuente
13

Usé el siguiente código para redirigir a una nueva página

$window.location.href = '/foldername/page.html';

e inyectó el objeto $ window en mi función de controlador.

Sanchi Girotra
fuente
12

¡Podría ayudarte!

El ejemplo de código AngularJs

var app = angular.module('app', ['ui.router']);

app.config(function($stateProvider, $urlRouterProvider) {

  // For any unmatched url, send to /index
  $urlRouterProvider.otherwise("/login");

  $stateProvider
    .state('login', {
      url: "/login",
      templateUrl: "login.html",
      controller: "LoginCheckController"
    })
    .state('SuccessPage', {
      url: "/SuccessPage",
      templateUrl: "SuccessPage.html",
      //controller: "LoginCheckController"
    });
});

app.controller('LoginCheckController', ['$scope', '$location', LoginCheckController]);

function LoginCheckController($scope, $location) {

  $scope.users = [{
    UserName: 'chandra',
    Password: 'hello'
  }, {
    UserName: 'Harish',
    Password: 'hi'
  }, {
    UserName: 'Chinthu',
    Password: 'hi'
  }];

  $scope.LoginCheck = function() {
    $location.path("SuccessPage");
  };

  $scope.go = function(path) {
    $location.path("/SuccessPage");
  };
}
Anil Singh
fuente
6

En AngularJS puede redirigir su formulario (al enviarlo) a otra página usando lo window.location.href='';siguiente:

postData(email){
    if (email=='undefined') {
      this.Utils.showToast('Invalid Email');
    } else {
      var origin = 'Dubai';
      this.download.postEmail(email, origin).then(data => { 
           ...
      });
      window.location.href = "https://www.thesoftdesign.com/";      
    }
  }

Simplemente intente esto:

window.location.href = "https://www.thesoftdesign.com/"; 
Rizo
fuente
4

También enfrenté problemas al redirigir a una página diferente en una aplicación angular

Puede agregar lo $windowque Ewald ha sugerido en su respuesta, o si no desea agregarlo $window, simplemente agregue un tiempo de espera y ¡funcionará!

setTimeout(function () {
        window.location.href = "http://whereeveryouwant.com";
    }, 500);
Vignesh Subramanian
fuente
2

La forma simple que uso es

app.controller("Back2Square1Controller", function($scope, $location) {
    window.location.assign(basePath + "/index.html");
});
raghavsood33
fuente
2

Una buena manera de hacerlo es usar $ state.go ('statename', {params ...}) es más rápido y más amigable para la experiencia del usuario en casos en los que no tiene que recargar y arrancar toda la configuración de la aplicación y demás

(function() {
    'use strict';

    angular
        .module('app.appcode')
        .controller('YourController', YourController);

    YourController.$inject = ['rootURL', '$scope', '$state', '$http'];

    function YourController(rootURL, $scope, $state, $http) {

        $http({
                url: rootURL + 'app-code/common.service.php',
                method: "POST",
                headers: {'Content-Type': 'application/x-www-form-urlencoded'},
                dataType: 'json',
                data:data + '&method=signin'

            }).success(function (response) {
                if (response['code'] == '420') {

                    $scope.message = response['message'];
                    $scope.loginPassword = '';
                } else if (response['code'] != '200') {

                    $scope.message = response['message'];
                    $scope.loginPassword = '';
                } else {
                    // $state.go('home'); // select here the route that you want to redirect
                    $state.go(response['state']); // response['state'] should be a route on your app.routes
                }
            })
    }

});

// rutas

(function() {
    'use strict';

    angular
        .module('app')
        .config(routes);

    routes.$inject = [
        '$stateProvider',
        '$urlRouterProvider'
    ];

    function routes($stateProvider, $urlRouterProvider) {
        /**
         * Default path for any unmatched url
        */
        $urlRouterProvider.otherwise('/');

        $stateProvider
            .state('home', {
                url: '/',
                templateUrl: '/app/home/home.html',
                controller: 'Home'
            })
            .state('login', {
                url: '/login',
                templateUrl: '/app/login/login.html',
                controller: 'YourController'
            })
            // ... more routes .state
   }

})();
gsalgadotoledo
fuente
0
 (function () {
"use strict";
angular.module("myApp")
       .controller("LoginCtrl", LoginCtrl);

function LoginCtrl($scope, $log, loginSrv, notify) {

    $scope.validateUser = function () {
        loginSrv.validateLogin($scope.username, $scope.password)
            .then(function (data) {
                if (data.isValidUser) {
                    window.location.href = '/index.html';
                }
                else {
                    $log.error("error handler message");
                }
            })
    }
} }());
Ruben.sar
fuente
0

Si desea utilizar un enlace, entonces: en el html tenga:

<button type="button" id="btnOpenLine" class="btn btn-default btn-sm" ng-click="orderMaster.openLineItems()">Order Line Items</button>

en el archivo mecanografiado

public openLineItems() {
if (this.$stateParams.id == 0) {
    this.Flash.create('warning', "Need to save order!", 3000);
    return
}
this.$window.open('#/orderLineitems/' + this.$stateParams.id);

}

Espero que veas este ejemplo útil como lo fue para mí junto con las otras respuestas.

Nour Lababidi
fuente
0

Utilizando location.href="./index.html"

o crear scope $window

y usando $window.location.href="./index.html"

shashank raveendran
fuente