Como redirecionar para outra página usando o AngularJS?

171

Estou usando a chamada ajax para executar a funcionalidade em um arquivo de serviço e, se a resposta for bem-sucedida, desejo redirecionar a página para outro URL. Atualmente, estou fazendo isso usando js simples "window.location = response ['message'];". Mas preciso substituí-lo pelo código angularjs. Eu olhei várias soluções no stackoverflow, eles usaram $ location. Mas eu sou novo no angular e tenho problemas para implementá-lo.

$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
fonte
2
Por que você precisa usar angular para isso? Algum motivo específico? document.location é a maneira correta e, provavelmente, mais eficiente do que a forma angular
casraf

Respostas:

229

Você pode usar Angular $window:

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

Exemplo de uso em um contoller:

(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
fonte
1
Eu usei $ window.location.href, mas ele fornece um erro da função indefinida $ window.location. Preciso incluir alguma dependência para isso?
Farjad Hasan
3
Não, mas pode ser necessário injetar a janela $ no seu controlador. Veja minha resposta editada.
Ewald Stieger
2
Seu window.location.href não $ window.location.href
Junaid
3
@ user3623224 - não é, na verdade;)
Ben
12
@Junaid window.location.href é para o objeto de janela tradicional, $ window.location.href é para o objeto de janela AngularJS $, aqui: docs.angularjs.org/api/ng/service/$window
Mikel Bitson,
122

Você pode redirecionar para um novo URL de maneiras diferentes.

  1. Você pode usar a janela $, que também atualizará a página
  2. Você pode "ficar por dentro" do aplicativo de página única e usar $ location. Nesse caso, você pode escolher entre $location.path(YOUR_URL);ou $location.url(YOUR_URL);. Portanto, a diferença básica entre os 2 métodos é que $location.url()também afeta os parâmetros get, enquanto $location.path()não afeta .

Eu recomendaria a leitura dos documentos $locatione, $windowassim, você entenderá melhor as diferenças entre eles.

Cristi Berceanu
fonte
15

$location.path('/configuration/streaming'); isso vai funcionar ... injetar o serviço de localização no controlador

user2266928
fonte
13

Usei o código abaixo para redirecionar para a nova página

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

e injetamos o objeto $ window na minha função de controlador.

Sanchi Girotra
fonte
12

Pode ajudá-lo!

O exemplo de código do 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
fonte
6

No AngularJS, você pode redirecionar seu formulário (ao enviar) para outra página usando o window.location.href='';seguinte:

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/";      
    }
  }

Simplesmente tente o seguinte:

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

Também enfrentei problemas ao redirecionar para uma página diferente em um aplicativo angular

Você pode adicionar o $windowque Ewald sugeriu em sua resposta ou, se você não quiser adicionar $window, basta adicionar um tempo limite e ele funcionará!

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

A maneira mais simples de usar é

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

Uma boa maneira de fazer isso é usar $ state.go ('statename', {params ...}) é mais rápido e mais amigável para a experiência do usuário, nos casos em que você não precisa recarregar e inicializar completamente toda a configuração do aplicativo

(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
                }
            })
    }

});

// rotas

(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
fonte
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
fonte
0

Se você deseja usar um link, então: no html, tenha:

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

no arquivo datilografado

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 você veja este exemplo útil como foi para mim, juntamente com as outras respostas.

Nour Lababidi
fonte
0

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

ou criar scope $window

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

shashank raveendran
fonte