AWS Cognitoを使用して、テスト目的でダミーユーザーを作成したいと思います。
次に、AWSコンソールを使用してそのようなユーザーを作成しますが、ユーザーのステータスはに設定されていFORCE_CHANGE_PASSWORD
ます。その値では、このユーザーを認証できません。
このステータスを変更する方法はありますか?
UPDATECLIからユーザーを作成するときの同じ動作
回答:
ご不便をおかけして申し訳ありません。ユーザーを作成して直接認証するだけのワンステッププロセスはありません。管理者がユーザーが直接使用できるパスワードを設定できるようにするなど、将来的にこれを変更する可能性があります。今のところAdminCreateUser
、アプリを使用して、またはアプリでユーザーを登録してユーザーを作成する場合は、ログイン時にユーザーにパスワードの変更を強制するか、ユーザーにメールアドレスまたは電話番号を確認してユーザーのステータスをに変更させるなど、追加の手順が必要ですCONFIRMED
。
--permanent
フラグを探します:stackoverflow.com/a/56948249/3165552
久しぶりですが、この投稿に出くわした他の人に役立つかもしれないと思いました。
AWS CLIを使用してユーザーのパスワードを変更できますが、これは複数のステップからなるプロセスです。
ステップ1:目的のユーザーのセッショントークンを取得します。
aws cognito-idp admin-initiate-auth --user-pool-id %USER POOL ID% --client-id %APP CLIENT ID% --auth-flow ADMIN_NO_SRP_AUTH --auth-parameters USERNAME=%USERS USERNAME%,PASSWORD=%USERS CURRENT PASSWORD%
これでエラーが返される場合は、シークレットなしで別のアプリクライアントを作成し
Unable to verify secret hash for client
、そのクライアントIDを使用します。
ステップ2:ステップ1が成功すると、チャレンジNEW_PASSWORD_REQUIRED
、その他のチャレンジパラメーター、およびユーザーセッションキーで応答します。次に、2番目のコマンドを実行して、チャレンジレスポンスを発行できます。
aws cognito-idp admin-respond-to-auth-challenge --user-pool-id %USER POOL ID% --client-id %CLIENT ID% --challenge-name NEW_PASSWORD_REQUIRED --challenge-responses NEW_PASSWORD=%DESIRED PASSWORD%,USERNAME=%USERS USERNAME% --session %SESSION KEY FROM PREVIOUS COMMAND with ""%
Invalid attributes given, XXX is missing
形式を使用して不足している属性を渡すことについてエラーが発生した場合userAttributes.$FIELD_NAME=$VALUE
上記のコマンドは、有効な認証結果と適切なトークンを返す必要があります。
重要:これを機能させるには、Cognitoユーザープールに機能を備えたアプリクライアントを構成する必要がありADMIN_NO_SRP_AUTH
ます(このドキュメントのステップ5)。
userAttributes.$FIELD_NAME=$VALUE
(github.com/aws/aws-sdk-js/issues/1290)を使用して渡します。
--challenge-responses NEW_PASSWORD=password,USERNAME=username,userAttributes.picture=picture,userAttributes.name=name
これはついにAWSCLIに追加されました:https://docs.aws.amazon.com/cli/latest/reference/cognito-idp/admin-set-user-password.html
以下を使用して、ユーザーのパスワードを変更し、ステータスを更新できます。
aws cognito-idp admin-set-user-password --user-pool-id <your user pool id> --username user1 --password password --permanent
これを使用する前に、以下を使用してAWSCLIを更新する必要がある場合があります。
pip3 install awscli --upgrade
onSuccess: function (result) { ... },
ログイン機能内の後にこのコードを追加するだけです。これで、ユーザーのステータスはCONFIRMEDになります。
newPasswordRequired: function(userAttributes, requiredAttributes) {
// User was signed up by an admin and must provide new
// password and required attributes, if any, to complete
// authentication.
// the api doesn't accept this field back
delete userAttributes.email_verified;
// unsure about this field, but I don't send this back
delete userAttributes.phone_number_verified;
// Get these details and call
cognitoUser.completeNewPasswordChallenge(newPassword, userAttributes, this);
}
this
、完全に新しいパスワードのチャレンジに)
次のようにユーザーをFORCE_CHANGE_PASSWORD
呼び出すことrespondToAuthChallenge()
で、そのユーザーステータスを変更できます。
var params = {
ChallengeName: 'NEW_PASSWORD_REQUIRED',
ClientId: 'your_own3j6...0obh',
ChallengeResponses: {
USERNAME: 'user3',
NEW_PASSWORD: 'changed12345'
},
Session: 'xxxxxxxxxxZDMcRu-5u...sCvrmZb6tHY'
};
cognitoidentityserviceprovider.respondToAuthChallenge(params, function(err, data) {
if (err) console.log(err, err.stack); // an error occurred
else console.log(data); // successful response
});
この後、
user3
ステータスがCONFIRMED
。であることがコンソールに表示されます。
cognitoidentityserviceprovider.adminInitiateAuth({ AuthFlow: 'ADMIN_NO_SRP_AUTH', ClientId: 'your_own3j63rs8j16bxxxsto25db00obh', UserPoolId: 'us-east-1_DtNSUVT7n', AuthParameters: { USERNAME: 'user3', PASSWORD: 'original_password' } }, callback);
user3
コンソールで作成され、最初にパスワードが与えられました'original_password'
あなたがまだこれと戦っているのかどうかはわかりませんが、たくさんのテストユーザーを作成するためだけに、私はそのawscli
ように使用しました:
aws cognito-idp sign-up \
--region %aws_project_region% \
--client-id %aws_user_pools_web_client_id% \
--username %email_address% \
--password %password% \
--user-attributes Name=email,Value=%email_address%
aws cognito-idp admin-confirm-sign-up \
--user-pool-id %aws_user_pools_web_client_id% \
--username %email_address%
更新:
私は現在、NodeJS Lambda内で、これを増幅に変換して使用しています。
// enable node-fetch polyfill for Node.js
global.fetch = require("node-fetch").default;
global.navigator = {};
const AWS = require("aws-sdk");
const cisp = new AWS.CognitoIdentityServiceProvider();
const Amplify = require("@aws-amplify/core").default;
const Auth = require("@aws-amplify/auth").default;
...
/*
this_user: {
given_name: string,
password: string,
email: string,
cell: string
}
*/
const create_cognito = (this_user) => {
let this_defaults = {
password_temp: Math.random().toString(36).slice(-8),
password: this_user.password,
region: global._env === "prod" ? production_region : development_region,
UserPoolId:
global._env === "prod"
? production_user_pool
: development_user_pool,
ClientId:
global._env === "prod"
? production_client_id
: development_client_id,
given_name: this_user.given_name,
email: this_user.email,
cell: this_user.cell,
};
// configure Amplify
Amplify.configure({
Auth: {
region: this_defaults.region,
userPoolId: this_defaults.UserPoolId,
userPoolWebClientId: this_defaults.ClientId,
},
});
if (!Auth.configure())
return Promise.reject("could not configure amplify");
return new Promise((resolve, reject) => {
let _result = {};
let this_account = undefined;
let this_account_details = undefined;
// create cognito account
cisp
.adminCreateUser({
UserPoolId: this_defaults.UserPoolId,
Username: this_defaults.given_name,
DesiredDeliveryMediums: ["EMAIL"],
ForceAliasCreation: false,
MessageAction: "SUPPRESS",
TemporaryPassword: this_defaults.password_temp,
UserAttributes: [
{ Name: "given_name", Value: this_defaults.given_name },
{ Name: "email", Value: this_defaults.email },
{ Name: "phone_number", Value: this_defaults.cell },
{ Name: "email_verified", Value: "true" },
],
})
.promise()
.then((user) => {
console.warn(".. create_cognito: create..");
_result.username = user.User.Username;
_result.temporaryPassword = this_defaults.password_temp;
_result.password = this_defaults.password;
// sign into cognito account
return Auth.signIn(_result.username, _result.temporaryPassword);
})
.then((user) => {
console.warn(".. create_cognito: signin..");
// complete challenge
return Auth.completeNewPassword(user, _result.password, {
email: this_defaults.email,
phone_number: this_defaults.cell,
});
})
.then((user) => {
console.warn(".. create_cognito: confirmed..");
this_account = user;
// get details
return Auth.currentAuthenticatedUser();
})
.then((this_details) => {
if (!(this_details && this_details.attributes))
throw "account creation failes";
this_account_details = Object.assign({}, this_details.attributes);
// signout
return this_account.signOut();
})
.then(() => {
console.warn(".. create_cognito: complete");
resolve(this_account_details);
})
.catch((err) => {
console.error(".. create_cognito: error");
console.error(err);
reject(err);
});
});
};
一時パスワードを設定し、後でユーザーが要求したパスワードにリセットしています。
古い投稿:
これは、amazon-cognito-identity-js SDKを使用して、アカウント作成後に一時パスワードで認証し、そのcognitoidentityserviceprovider.adminCreateUser()
中で実行することで解決できます。これらはすべて、ユーザーを作成する関数cognitoUser.completeNewPasswordChallenge()
内で実行されcognitoUser.authenticateUser( ,{newPasswordRequired})
ます。
AWS lambda内で以下のコードを使用して、有効なCognitoユーザーアカウントを作成しています。私はそれが最適化できると確信しています、私に我慢してください。これは私の最初の投稿であり、私はまだJavaScriptにかなり慣れていません。
var AWS = require("aws-sdk");
var AWSCognito = require("amazon-cognito-identity-js");
var params = {
UserPoolId: your_poolId,
Username: your_username,
DesiredDeliveryMediums: ["EMAIL"],
ForceAliasCreation: false,
MessageAction: "SUPPRESS",
TemporaryPassword: your_temporaryPassword,
UserAttributes: [
{ Name: "given_name", Value: your_given_name },
{ Name: "email", Value: your_email },
{ Name: "phone_number", Value: your_phone_number },
{ Name: "email_verified", Value: "true" }
]
};
var cognitoidentityserviceprovider = new AWS.CognitoIdentityServiceProvider();
let promise = new Promise((resolve, reject) => {
cognitoidentityserviceprovider.adminCreateUser(params, function(err, data) {
if (err) {
reject(err);
} else {
resolve(data);
}
});
});
promise
.then(data => {
// login as new user and completeNewPasswordChallenge
var anotherPromise = new Promise((resolve, reject) => {
var authenticationDetails = new AWSCognito.AuthenticationDetails({
Username: your_username,
Password: your_temporaryPassword
});
var poolData = {
UserPoolId: your_poolId,
ClientId: your_clientId
};
var userPool = new AWSCognito.CognitoUserPool(poolData);
var userData = {
Username: your_username,
Pool: userPool
};
var cognitoUser = new AWSCognito.CognitoUser(userData);
let finalPromise = new Promise((resolve, reject) => {
cognitoUser.authenticateUser(authenticationDetails, {
onSuccess: function(authResult) {
cognitoUser.getSession(function(err) {
if (err) {
} else {
cognitoUser.getUserAttributes(function(
err,
attResult
) {
if (err) {
} else {
resolve(authResult);
}
});
}
});
},
onFailure: function(err) {
reject(err);
},
newPasswordRequired(userAttributes, []) {
delete userAttributes.email_verified;
cognitoUser.completeNewPasswordChallenge(
your_newPoassword,
userAttributes,
this
);
}
});
});
finalPromise
.then(finalResult => {
// signout
cognitoUser.signOut();
// further action, e.g. email to new user
resolve(finalResult);
})
.catch(err => {
reject(err);
});
});
return anotherPromise;
})
.then(() => {
resolve(finalResult);
})
.catch(err => {
reject({ statusCode: 406, error: err });
});
Java SDKの場合、Cognitoクライアントがセットアップされていて、ユーザーがFORCE_CHANGE_PASSWORD状態にあると仮定すると、次の操作を実行してユーザーを確認できます...その後、通常どおり認証されます。
AdminCreateUserResult createUserResult = COGNITO_CLIENT.adminCreateUser(createUserRequest());
AdminInitiateAuthResult authResult = COGNITO_CLIENT.adminInitiateAuth(authUserRequest());
Map<String,String> challengeResponses = new HashMap<>();
challengeResponses.put("USERNAME", USERNAME);
challengeResponses.put("NEW_PASSWORD", PASSWORD);
RespondToAuthChallengeRequest respondToAuthChallengeRequest = new RespondToAuthChallengeRequest()
.withChallengeName("NEW_PASSWORD_REQUIRED")
.withClientId(CLIENT_ID)
.withChallengeResponses(challengeResponses)
.withSession(authResult.getSession());
COGNITO_CLIENT.respondToAuthChallenge(respondToAuthChallengeRequest);
それがそれらの統合テストに役立つことを願っています(フォーマットについて申し訳ありません)
基本的にこれは同じ答えですが、.Net C#SDKの場合です。
以下は、希望のユーザー名とパスワードで完全な管理者ユーザーを作成します。次のユーザーモデルを使用する:
public class User
{
public string Username { get; set; }
public string Password { get; set; }
}
以下を使用して、ユーザーを作成し、使用できるようにすることができます。
public void AddUser(User user)
{
var tempPassword = "ANY";
var request = new AdminCreateUserRequest()
{
Username = user.Username,
UserPoolId = "MyuserPoolId",
TemporaryPassword = tempPassword
};
var result = _cognitoClient.AdminCreateUserAsync(request).Result;
var authResponse = _cognitoClient.AdminInitiateAuthAsync(new AdminInitiateAuthRequest()
{
UserPoolId = "MyuserPoolId",
ClientId = "MyClientId",
AuthFlow = AuthFlowType.ADMIN_NO_SRP_AUTH,
AuthParameters = new Dictionary<string, string>()
{
{"USERNAME",user.Username },
{"PASSWORD", tempPassword}
}
}).Result;
_cognitoClient.RespondToAuthChallengeAsync(new RespondToAuthChallengeRequest()
{
ClientId = "MyClientId",
ChallengeName = ChallengeNameType.NEW_PASSWORD_REQUIRED,
ChallengeResponses = new Dictionary<string, string>()
{
{"USERNAME",user.Username },
{"NEW_PASSWORD",user.Password }
},
Session = authResponse.Session
});
}
コンソールから管理者としてのステータスを変更しようとしている場合。次に、ユーザーを作成した後、以下の手順に従います。
私はそれが同じ答えであることを知っていますが、それはGo
開発者コミュニティに役立つかもしれないと思いました。基本的には、認証リクエストを開始し、セッションを取得してチャレンジに応答しますNEW_PASSWORD_REQUIRED
func sessionWithDefaultRegion(region string) *session.Session {
sess := Session.Copy()
if v := aws.StringValue(sess.Config.Region); len(v) == 0 {
sess.Config.Region = aws.String(region)
}
return sess
}
func (c *CognitoAppClient) ChangePassword(userName, currentPassword, newPassword string) error {
sess := sessionWithDefaultRegion(c.Region)
svc := cognitoidentityprovider.New(sess)
auth, err := svc.AdminInitiateAuth(&cognitoidentityprovider.AdminInitiateAuthInput{
UserPoolId:aws.String(c.UserPoolID),
ClientId:aws.String(c.ClientID),
AuthFlow:aws.String("ADMIN_NO_SRP_AUTH"),
AuthParameters: map[string]*string{
"USERNAME": aws.String(userName),
"PASSWORD": aws.String(currentPassword),
},
})
if err != nil {
return err
}
request := &cognitoidentityprovider.AdminRespondToAuthChallengeInput{
ChallengeName: aws.String("NEW_PASSWORD_REQUIRED"),
ClientId:aws.String(c.ClientID),
UserPoolId: aws.String(c.UserPoolID),
ChallengeResponses:map[string]*string{
"USERNAME":aws.String(userName),
"NEW_PASSWORD": aws.String(newPassword),
},
Session:auth.Session,
}
_, err = svc.AdminRespondToAuthChallenge(request)
return err
}
単体テストは次のとおりです。
import (
"fmt"
"github.com/aws/aws-sdk-go/service/cognitoidentityprovider"
. "github.com/smartystreets/goconvey/convey"
"testing"
)
func TestCognitoAppClient_ChangePassword(t *testing.T) {
Convey("Testing ChangePassword!", t, func() {
err := client.ChangePassword("user_name_here", "current_pass", "new_pass")
Convey("Testing ChangePassword Results!", func() {
So(err, ShouldBeNil)
})
})
}
OK。管理者が新しいユーザーを作成できるコードがついにできました。プロセスは次のようになります。
ステップ1は難しい部分です。NodeJSでユーザーを作成するための私のコードは次のとおりです。
let params = {
UserPoolId: "@cognito_pool_id@",
Username: username,
DesiredDeliveryMediums: ["EMAIL"],
ForceAliasCreation: false,
UserAttributes: [
{ Name: "given_name", Value: firstName },
{ Name: "family_name", Value: lastName},
{ Name: "name", Value: firstName + " " + lastName},
{ Name: "email", Value: email},
{ Name: "custom:title", Value: title},
{ Name: "custom:company", Value: company + ""}
],
};
let cognitoIdentityServiceProvider = new AWS.CognitoIdentityServiceProvider();
cognitoIdentityServiceProvider.adminCreateUser(params, function(error, data) {
if (error) {
console.log("Error adding user to cognito: " + error, error.stack);
reject(error);
} else {
// Uncomment for interesting but verbose logging...
//console.log("Received back from cognito: " + CommonUtils.stringify(data));
cognitoIdentityServiceProvider.adminUpdateUserAttributes({
UserAttributes: [{
Name: "email_verified",
Value: "true"
}],
UserPoolId: "@cognito_pool_id@",
Username: username
}, function(err) {
if (err) {
console.log(err, err.stack);
} else {
console.log("Success!");
resolve(data);
}
});
}
});
基本的に、電子メールが検証済みと見なされるように強制するには、2番目のコマンドを送信する必要があります。ユーザーは、一時パスワードを取得するために電子メールにアクセスする必要があります(これにより電子メールも検証されます)。ただし、電子メールを確認済みに設定する2回目の呼び出しがないと、パスワードをリセットするための適切な呼び出しが返されません。