Amazon Cognitoユーザープールでクライアントの秘密ハッシュを検証できません


131

「Amazon Cognito IDユーザープール」プロセスで行き詰まっています。

コグニトユーザープールでユーザーを認証するために考えられるすべてのコードを試しました。しかし、「エラー:クライアント4b ******* fdの秘密ハッシュを検証できません」というエラーが常に表示されます。

ここにコードがあります:

AWS.config.region = 'us-east-1'; // Region
AWS.config.credentials = new AWS.CognitoIdentityCredentials({
    IdentityPoolId: 'us-east-1:b64bb629-ec73-4569-91eb-0d950f854f4f'
});

AWSCognito.config.region = 'us-east-1';
AWSCognito.config.credentials = new AWS.CognitoIdentityCredentials({
    IdentityPoolId: 'us-east-1:b6b629-er73-9969-91eb-0dfffff445d'
});

AWSCognito.config.update({accessKeyId: 'AKIAJNYLRONAKTKBXGMWA', secretAccessKey: 'PITHVAS5/UBADLU/dHITesd7ilsBCm'})

var poolData = { 
    UserPoolId : 'us-east-1_l2arPB10',
    ClientId : '4bmsrr65ah3oas5d4sd54st11k'
};
var userPool = new AWSCognito.CognitoIdentityServiceProvider.CognitoUserPool(poolData);

var userData = {
     Username : 'ronakpatel@gmail.com',
     Pool : userPool
};

var cognitoUser = new AWSCognito.CognitoIdentityServiceProvider.CognitoUser(userData);

cognitoUser.confirmRegistration('123456', true,function(err, result) {
if (err) {
    alert(err);
    return;
}
console.log('call result: ' + result);
});

9
受け入れられた回答は無効になりました。秘密のハッシュを生成する方法の指示はここにあるdocs.aws.amazon.com/cognito/latest/developerguide/...
jasiustasiu

はい。JavaScriptの実装については、以下の@Simon Buchanの回答をご覧ください。それは完全に動作します。
guzmonne

回答:


179

現在、AWS Cognitoはクライアントシークレットを完全には処理していないようです。近い将来動作する予定ですが、現時点ではまだベータ版です。

私にとっては、クライアントシークレットのないアプリでは問題なく機能しますが、クライアントシークレットのあるアプリでは失敗します。

したがって、ユーザープールで、クライアントシークレットを生成せずに新しいアプリを作成してみてください。次に、そのアプリを使用して新しいユーザーを登録するか、登録を確認します。


14
参考までに、これはちょうど今起こったところです。2017年1月、この方法でまだ機能しています。client_secretを使用せずにアプリを作成したところ、JS SDKを使用できました。client_secretを使用してアプリを作成したとき、元の質問と同じ失敗が発生しました。
Cheeso 2017年

5
2017年4月21日の時点で、アプリクライアントでシークレットキーが有効になっている場合、AWS CLIを使用しても機能しません。aws cognito-idp admin-initiate-auth \ --region ap-northeast-1 \ --user-pool-id MY_POOL_ID \ --client-id MY_CLIENT_ID \ --auth-flow ADMIN_NO_SRP_AUTH \ --auth-parameters USERNAME = username @ gmail.com、PASSWORD = som3PassW0rd
Stanley Yong

26
2018年1月現在、これはまだサポートされていません。GitHubのレポのドキュメントgithub.com/aws/amazon-cognito-identity-jsは それを言及:"When creating the App, the generate client secret box must be unchecked because the JavaScript SDK doesn't support apps that have a client secret."
kakoma

5
2018年5月19日、クライアントシークレットなしでアプリを作成する必要があるのと同じエラー。
Dileep、

4
2018年9月12日-同じ問題。シークレットを生成するクライアントを使用していない場合でも、ユーザーが認証されているかどうかに関係なく、400を取得します。ただし、これにもかかわらずアプリは期待どおりに機能します。
foxtrotuniform6969

70

ドキュメントによると:http : //docs.aws.amazon.com/cognito/latest/developerguide/setting-up-the-javascript-sdk.html

JavaScript SDKは、クライアントシークレットを含むアプリをサポートしていません。

ユーザープール用のアプリを作成するときに、「クライアントシークレットを生成する」のチェックを外す必要があることが手順に記載されています。


これは、サーバー側でNode.jsを使用して動作しました。ドクありがとう!
リック

37

これは数年遅れる可能性がありますが、「クライアントシークレットの生成」オプションのチェックを外すだけで、Webクライアントで機能します。

アプリクライアントオプションを生成する


8
クライアントがを作成した後は編集できないので、必要に応じて新しいものを作成してください。
URL87

新しいアプリクライアントを作成し、Cognito認証プロバイダーを使用するIDプール(「フェデレーションID」上)がある場合は、アプリクライアントIDフィールドを新しいアプリクライアントのIDで更新することを忘れないでください。
AMS777

21

他の誰もが自分の言語を投稿しているので、ここにノードがあります(そしてそれはでブラウザで動作し、browserify-cryptowebpackまたはbrowserifyを使用すると自動的に使用されます):

const crypto = require('crypto');

...

crypto.createHmac('SHA256', clientSecret)
  .update(username + clientId)
  .digest('base64')

4
これはシンプルで最良のNode.js組み込みソリューションです。@ simonに感謝します
エンジニア

19

.net SDKでも同じ問題が発生しました。

他の誰かがそれを必要とする場合に備えて、ここに私が解決した方法があります:

public static class CognitoHashCalculator
{
    public static string GetSecretHash(string username, string appClientId, string appSecretKey)
    {
        var dataString = username + appClientId;

        var data = Encoding.UTF8.GetBytes(dataString);
        var key = Encoding.UTF8.GetBytes(appSecretKey);

        return Convert.ToBase64String(HmacSHA256(data, key));
    }

    public static byte[] HmacSHA256(byte[] data, byte[] key)
    {
        using (var shaAlgorithm = new System.Security.Cryptography.HMACSHA256(key))
        {
            var result = shaAlgorithm.ComputeHash(data);
            return result;
        }
    }
}

登録すると次のようになります。

public class CognitoSignUpController
{
    private readonly IAmazonCognitoIdentityProvider _amazonCognitoIdentityProvider;

    public CognitoSignUpController(IAmazonCognitoIdentityProvider amazonCognitoIdentityProvider)
    {
        _amazonCognitoIdentityProvider = amazonCognitoIdentityProvider;
    }

    public async Task<bool> SignUpAsync(string userName, string password, string email)
    {
        try
        {
            var request = CreateSignUpRequest(userName, password, email);
            var authResp = await _amazonCognitoIdentityProvider.SignUpAsync(request);

            return true;
        }
        catch
        {
            return false;
        }
    }

    private static SignUpRequest CreateSignUpRequest(string userName, string password, string email)
    {
        var clientId = ConfigurationManager.AppSettings["ClientId"];
        var clientSecretId = ConfigurationManager.AppSettings["ClientSecretId"];

        var request = new SignUpRequest
        {
            ClientId = clientId,
            SecretHash = CognitoHashCalculator.GetSecretHash(userName, clientId, clientSecretId),
            Username = userName,
            Password = password,
        };

        request.UserAttributes.Add("email", email);
        return request;
    }
}

これがまだ必要であり、v3.5 AWS .NET SDK(プレビュー)でも機能することを確認します。
pieSquared

13

AWS Lambdaを使用してAWS JS SDKを使用するユーザーにサインアップすることに関心がある人は、次の手順を実行します。

Pythonで別のラムダ関数を作成してキーを生成します。

import hashlib
import hmac
import base64

secretKey = "key"
clientId = "clientid"
digest = hmac.new(secretKey,
                  msg=username + clientId,
                  digestmod=hashlib.sha256
                 ).digest()
signature = base64.b64encode(digest).decode()

AWSのnodeJS関数を介して関数を呼び出します。署名はCognitoの秘密ハッシュとして機能しました

注:答えは、次のリンクのGeorge Campbellの答えに大きく基づいています:Pythonでの文字列+秘密鍵を使用したSHAハッシュの計算


12

のソリューションgolang。このようにSDKに追加する必要があります。

import (
    "crypto/hmac"
    "crypto/sha256"
    "encoding/base64"
)

func SecretHash(username, clientID, clientSecret string) string {
    mac := hmac.New(sha256.New, []byte(clientSecret))
    mac.Write([]byte(username + ClientID))
    return base64.StdEncoding.EncodeToString(mac.Sum(nil))
}

8

SecretJSを使用したNodeJSのソリューション

AWSがNodeJSで公開されないため、秘密鍵をSDKから削除したのはばかげているようです。

私はNodeJSでフェッチをインターセプトし、@ Simon Buchanの回答を使用してハッシュされたキーを追加することでそれを機能させました。

cognito.js

import { CognitoUserPool, CognitoUserAttribute, CognitoUser } from 'amazon-cognito-identity-js'
import crypto from 'crypto'
import * as fetchIntercept from './fetch-intercept'

const COGNITO_SECRET_HASH_API = [
  'AWSCognitoIdentityProviderService.ConfirmForgotPassword',
  'AWSCognitoIdentityProviderService.ConfirmSignUp',
  'AWSCognitoIdentityProviderService.ForgotPassword',
  'AWSCognitoIdentityProviderService.ResendConfirmationCode',
  'AWSCognitoIdentityProviderService.SignUp',
]

const CLIENT_ID = 'xxx'
const CLIENT_SECRET = 'xxx'
const USER_POOL_ID = 'xxx'

const hashSecret = (clientSecret, username, clientId) => crypto.createHmac('SHA256', clientSecret)
  .update(username + clientId)
  .digest('base64')

fetchIntercept.register({
  request(url, config) {
    const { headers } = config
    if (headers && COGNITO_SECRET_HASH_API.includes(headers['X-Amz-Target'])) {
      const body = JSON.parse(config.body)
      const { ClientId: clientId, Username: username } = body
      // eslint-disable-next-line no-param-reassign
      config.body = JSON.stringify({
        ...body,
        SecretHash: hashSecret(CLIENT_SECRET, username, clientId),
      })
    }
    return [url, config]
  },
})

const userPool = new CognitoUserPool({
  UserPoolId: USER_POOL_ID,
  ClientId: CLIENT_ID,
})

const register = ({ email, password, mobileNumber }) => {
  const dataEmail = { Name: 'email', Value: email }
  const dataPhoneNumber = { Name: 'phone_number', Value: mobileNumber }

  const attributeList = [
    new CognitoUserAttribute(dataEmail),
    new CognitoUserAttribute(dataPhoneNumber),
  ]

  return userPool.signUp(email, password, attributeList, null, (err, result) => {
    if (err) {
      console.log((err.message || JSON.stringify(err)))
      return
    }
    const cognitoUser = result.user
    console.log(`user name is ${cognitoUser.getUsername()}`)
  })
}

export {
  register,
}

fetch-inceptor.jshttps://github.com/werk85/fetch-intercept/blob/develop/src/index.jsの ForkからNodeJSにフォークして編集)

let interceptors = []

if (!global.fetch) {
  try {
    // eslint-disable-next-line global-require
    global.fetch = require('node-fetch')
  } catch (err) {
    throw Error('No fetch available. Unable to register fetch-intercept')
  }
}
global.fetch = (function (fetch) {
  return (...args) => interceptor(fetch, ...args)
}(global.fetch))

const interceptor = (fetch, ...args) => {
  const reversedInterceptors = interceptors.reduce((array, _interceptor) => [_interceptor].concat(array), [])
  let promise = Promise.resolve(args)

  // Register request interceptors
  reversedInterceptors.forEach(({ request, requestError }) => {
    if (request || requestError) {
      promise = promise.then(_args => request(..._args), requestError)
    }
  })

  // Register fetch call
  promise = promise.then(_args => fetch(..._args))

  // Register response interceptors
  reversedInterceptors.forEach(({ response, responseError }) => {
    if (response || responseError) {
      promise = promise.then(response, responseError)
    }
  })

  return promise
}

const register = (_interceptor) => {
  interceptors.push(_interceptor)
  return () => {
    const index = interceptors.indexOf(_interceptor)
    if (index >= 0) {
      interceptors.splice(index, 1)
    }
  }
}

const clear = () => {
  interceptors = []
}

export {
  register,
  clear,
}

手順に従ってサインアップできましたが、このプロシージャを使用してサインインできません。サインインするために必要な変更はありますか?ここに追加できれば非常に役立ちます。前もって感謝します。
Vinay Wadagavi

7

Javaでは、次のコードを使用できます。

private String getSecretHash(String email, String appClientId, String appSecretKey) throws Exception {
    byte[] data = (email + appClientId).getBytes("UTF-8");
    byte[] key = appSecretKey.getBytes("UTF-8");

    return Base64.encodeAsString(HmacSHA256(data, key));
}

static byte[] HmacSHA256(byte[] data, byte[] key) throws Exception {
    String algorithm = "HmacSHA256";
    Mac mac = Mac.getInstance(algorithm);
    mac.init(new SecretKeySpec(key, algorithm));
    return mac.doFinal(data);
}

画面に出力する以外に、SDKでこの秘密ハッシュをどこで利用しますか?
アーロン

1
クライアントシークレットに対する認証が説明されているAWSドキュメントをオンラインで誰でも参照できますか?base64 / sha256署名エンコーディングは説得力のあるソリューションですが、クライアントシークレットに対する認証方法を明記したAWSドキュメントに明示的に準拠している場合を除き、価値がありません。
Kode Charlie 2017

7

アマゾンどのように言及コンピューティングSecretHashは、値のためにアマゾンCognitoを Javaアプリケーション・コードとその文書に。ここで、このコードはboto 3 Python SDKで動作します

アプリクライアントの詳細

App clients左側のメニューにが表示されGeneral settingsます。それらApp client idを取得しApp client secretて作成しますSECRET_HASH。理解を深めるために、各行のすべての出力をコメント化しました。

import hashlib
import hmac
import base64

app_client_secret = 'u8f323eb3itbr3731014d25spqtv5r6pu01olpp5tm8ebicb8qa'
app_client_id = '396u9ekukfo77nhcfbmqnrec8p'
username = 'wasdkiller'

# convert str to bytes
key = bytes(app_client_secret, 'latin-1')  # b'u8f323eb3itbr3731014d25spqtv5r6pu01olpp5tm8ebicb8qa'
msg = bytes(username + app_client_id, 'latin-1')  # b'wasdkiller396u9ekukfo77nhcfbmqnrec8p'

new_digest = hmac.new(key, msg, hashlib.sha256).digest()  # b'P$#\xd6\xc1\xc0U\xce\xc1$\x17\xa1=\x18L\xc5\x1b\xa4\xc8\xea,\x92\xf5\xb9\xcdM\xe4\x084\xf5\x03~'
SECRET_HASH = base64.b64encode(new_digest).decode()  # UCQj1sHAVc7BJBehPRhMxRukyOoskvW5zU3kCDT1A34=

boto 3ドキュメント、我々は多くの時間を尋ねる見ることができますSECRET_HASH。したがって、上記のコード行はこれを作成するのに役立ちますSECRET_HASH

使用したくない場合は、アプリの作成時にSECRET_HASHチェックを外してくださいGenerate client secret

新しいアプリを作成


1
私にとって、これはmsg = bytes(app_client_id + username、 'latin-1')をmsg = bytes(username + app_client_id、 'latin-1')に切り替えた場合にのみ機能しました。明確にするために、ユーザー名が最初に表示されるようにclientIdとユーザー名の順序を入れ替えました。
ジョシュ・ウルフ

1
おかげでたくさんの@JoshWolff、I誤ってスワップapp_client_idusername。しかし、username+ に従って表示されるコメントとして正しい出力を表示しますapp_client_id。何度もありがとう。
Kushan Gunasekera

1
全く問題無い!@Kushan Gunasekera
Josh Wolff

6

これは、秘密のハッシュを生成するために使用するサンプルphpコードです

<?php
    $userId = "aaa";
    $clientId = "bbb";
    $clientSecret = "ccc";
    $s = hash_hmac('sha256', $userId.$clientId, $clientSecret, true);
    echo base64_encode($s);
?>

この場合の結果は次のとおりです。

DdSuILDJ2V84zfOChcn6TfgmlfnHsUYq0J6c01QV43I=

5

JAVAおよび.NETの場合、シークレットを渡すには、authパラメータに名前を指定する必要がありますSECRET_HASH

AdminInitiateAuthRequest request = new AdminInitiateAuthRequest
{
  ClientId = this.authorizationSettings.AppClientId,
  AuthFlow = AuthFlowType.ADMIN_NO_SRP_AUTH,
  AuthParameters = new Dictionary<string, string>
  {
    {"USERNAME", username},
    {"PASSWORD", password},
    {
      "SECRET_HASH", EncryptionHelper.GetSecretHash(username, AppClientId, AppClientSecret)
    }
  },
  UserPoolId = this.authorizationSettings.UserPoolId
};

そしてそれはうまくいくはずです。


3

Qtフレームワークを使用したC ++

QByteArray MyObject::secretHash(
     const QByteArray& email,
     const QByteArray& appClientId, 
     const QByteArray& appSecretKey)
{
            QMessageAuthenticationCode code(QCryptographicHash::Sha256);
            code.setKey(appSecretKey);
            code.addData(email);
            code.addData(appClientId);
            return code.result().toBase64();
};

1

よりコンパクトなバージョンがあるかもしれませんが、これはRubyで、特にRuby on Railsで何も必要とせずに機能します。

key = ENV['COGNITO_SECRET_HASH']
data = username + ENV['COGNITO_CLIENT_ID']
digest = OpenSSL::Digest.new('sha256')

hmac = Base64.strict_encode64(OpenSSL::HMAC.digest(digest, key, data))

0

Cognito認証

エラー:アプリクライアントはシークレット用に構成されていませんが、シークレットハッシュが受信されました

nilがうまくいったので、secretKeyを提供しました。提供される資格情報は次のとおりです。

  • CognitoIdentityUserPoolRegion(リージョン)
  • CognitoIdentityUserPoolId(userPoolId)
  • CognitoIdentityUserPoolAppClientId(ClientId)
  • AWSCognitoUserPoolsSignInProviderKey(AccessKeyId)

    // setup service configuration
    let serviceConfiguration = AWSServiceConfiguration(region: CognitoIdentityUserPoolRegion, credentialsProvider: nil)
    
    // create pool configuration
    let poolConfiguration = AWSCognitoIdentityUserPoolConfiguration(clientId: CognitoIdentityUserPoolAppClientId,
                                                                    clientSecret: nil,
                                                                    poolId: CognitoIdentityUserPoolId)
    
    // initialize user pool client
    AWSCognitoIdentityUserPool.register(with: serviceConfiguration, userPoolConfiguration: poolConfiguration, forKey: AWSCognitoUserPoolsSignInProviderKey)
    

上記のすべては、以下のリンクされたコードサンプルで機能します。

AWSサンプルコード: https //github.com/awslabs/aws-sdk-ios-samples/tree/master/CognitoYourUserPools-Sample/Swift

うまくいかない場合はお知らせください。


これはデッドリンクです
Jpnh

0

これが私の1つのコマンドで、動作します(確認済み:))

EMAIL="EMAIL@HERE.com" \
CLIENT_ID="[CLIENT_ID]" \
CLIENT_SECRET="[CLIENT_ID]" \
&& SECRET_HASH=$(echo -n "${EMAIL}${CLIENT_ID}" | openssl dgst -sha256 -hmac "${CLIENT_SECRET}" | xxd -r -p | openssl base64) \
&& aws cognito-idp ...  --secret-hash "${SECRET_HASH}"
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.