项目作者: yinlinchen

项目描述 :
Amplify workshop
高级语言:
项目地址: git://github.com/yinlinchen/amplify-workshop.git
创建时间: 2019-08-12T15:39:49Z
项目社区:https://github.com/yinlinchen/amplify-workshop

开源协议:

下载


Amplify workshop

Prerequisite

Presentation

Section 1: Creating your first React Application and setup AWS Amplify

  • Install the AWS Amplify CLI

    1. npm install -g @aws-amplify/cli
  • Create a new React project

    1. create-react-app bookapp

    Or use npx (npm 5.2 & later)

    1. npx create-react-app bookapp
  • Change react app listening port

    1. "start": "react-scripts start"
    2. or
    3. vi package.json
    4. "start": "PORT=8080 react-scripts start"
  • Push the project to your GitHub (Optional)

    1. cd bookapp
    2. git remote add origin git@github.com:<github username>/bookapp.git
    3. git add .
    4. git commit -m "Initial commit"
    5. git push origin master
  • Install AWS Amplify & AWS Amplify React libraries

    1. npm install --save aws-amplify aws-amplify-react uuid
  • Configure the CLI with our credentials

    1. amplify configure
    1. Follow these steps to set up access to your AWS account:
    2. Sign in to your AWS administrator account:
    3. https://console.aws.amazon.com/
    4. Press Enter to continue
    5. Specify the AWS Region
    6. ? region: (Use arrow keys)
    7. us-west-2
    8. us-east-2
    9. Specify the username of the new IAM user:
    10. ? user name: workshop
    11. Complete the user creation using the AWS console
    12. https://console.aws.amazon.com/iam/home?region=undefined#/.../&policies=arn:aws:iam::aws:policy
    13. Press Enter to continue
    14. Enter the access key of the newly created user:
    15. ? accessKeyId: (<YOUR_ACCESS_KEY_ID>)
    16. ? secretAccessKey: (<YOUR_SECRET_ACCESS_KEY>)
    17. This would update/create the AWS Profile in your local machine
    18. ? Profile Name: workshop
  • Initializing Amplify project

    1. amplify init
    1. ? Enter a name for the project bookapp
    2. ? Enter a name for the environment dev
    3. ? Choose your default editor: Vim
    4. ? Choose the type of app that you're building javascript
    5. Please tell us about your project
    6. ? What javascript framework are you using react
    7. ? Source Directory Path: src
    8. ? Distribution Directory Path: build
    9. ? Build Command: npm run-script build
    10. ? Start Command: npm run-script start
    11. Using default provider awscloudformation
    12. For more information on AWS Profiles, see:
    13. https://docs.aws.amazon.com/cli/latest/userguide/cli-multiple-profiles.html
    14. ? Do you want to use an AWS profile? Yes
    15. ? Please choose the profile you want to use? workshop

    Alternative way. Enter the access key manually

    1. Specify the AWS Region
    2. ? region: us-east-2
    3. Specify the username of the new IAM user:
    4. ? user name: workshop
    5. Complete the user creation using the AWS console
    6. https://console.aws.com/xxxx
    7. Press Enter to continue
    8. Enter the access key of the newly created user:
    9. ? accessKeyId:
    10. ? secretAccessKey:
    11. This would update/create the AWS Profile in your local machine
    12. ? Profile Name: workshop
  • Verify Amplify status

    1. amplify status
  • Start local React application

    1. npm start
  • Deploy your application via the Amplify Console (Optional)

    1. git add .
    2. git commit -m "Add a new function"
    3. git push origin master

Section 2: Setup access controls for your application

  • Add authentication

    1. amplify add auth
    1. Using service: Cognito, provided by: awscloudformation
    2. The current configured provider is Amazon Cognito.
    3. Do you want to use the default authentication and security configuration? Default co
    4. nfiguration
    5. How do you want users to be able to sign in? Username
    6. Do you want to configure advanced settings? No, I am done.
  • Verify the changes

    1. amplify status
    1. Current Environment: dev
    2. | Category | Resource name | Operation | Provider plugin |
    3. | -------- | --------------- | --------- | ----------------- |
    4. | Auth | bookappb525b224 | Create | awscloudformation |
  • Push the changes

    1. amplify push
  • Open AWS Cognito console (Optional)

    1. amplify console auth
  • Configure the React application

    • src/index.js

      1. import Amplify from 'aws-amplify'
      2. import config from './aws-exports'
      3. Amplify.configure(config)
    • src/App.js

      1. import { withAuthenticator } from 'aws-amplify-react'
      2. import React, { useEffect } from 'react'
      3. import { Auth } from 'aws-amplify'
      4. function App() {
      5. useEffect(() => {
      6. Auth.currentAuthenticatedUser()
      7. .then(user => console.log({ user }))
      8. .catch(error => console.log({ error }))
      9. })
      10. return (
      11. <div className="App">
      12. <p>
      13. Hello! This is an AWS Amplify application.
      14. </p>
      15. </div>
      16. )
      17. }
      18. export default withAuthenticator(App, { includeGreetings: true })
  • Add E2E tests to app with Cypress

    • Install Cypress
      1. yarn add cypress --dev
      2. yarn run cypress open
    • Add a test spec file
      1. cd cypress/integration
      2. rm -rf examples
      3. touch authenticator_spec.js
    • cypress/integration/authenticator_spec.js

      1. describe('Authenticator:', function() {
      2. // Step 1: setup the application state
      3. beforeEach(function() {
      4. cy.visit('/');
      5. });
      6. describe('Sign In:', () => {
      7. it('allows a user to signin', () => {
      8. // Step 2: Take an action (Sign in)
      9. cy.get(selectors.usernameInput).type("code4lib");
      10. cy.get(selectors.signInPasswordInput).type("workshop");
      11. cy.get(selectors.signInSignInButton).contains('Sign In').click();
      12. // Step 3: Make an assertion (Check for sign-out text)
      13. cy.get(selectors.signOutButton).contains('Sign Out');
      14. });
      15. });
      16. });
      17. export const selectors = {
      18. // Auth component classes
      19. usernameInput: '[data-test="username-input"]',
      20. signInPasswordInput: '[data-test="sign-in-password-input"]',
      21. signInSignInButton: '[data-test="sign-in-sign-in-button"]',
      22. signOutButton: '[data-test="sign-out-button"]'
      23. }
    • cypress.json
      1. { "baseUrl": "http://localhost:3000/" }
    • run test
      1. yarn run cypress run

      Section 3: Introduction to GraphQL and AWS AppSync

  • Adding a GraphQL API

    1. amplify add api
    2. ? Please select from one of the below mentioned services: GraphQL
    3. ? Provide API name: BookGraphQL
    4. ? Choose the default authorization type for the API API key
    5. ? Enter a description for the API key:
    6. ? After how many days from now the API key should expire (1-365): 7
    7. ? Do you want to configure advanced settings for the GraphQL API No, I am done.
    8. ? Do you have an annotated GraphQL schema? No
    9. ? Do you want a guided schema creation? Yes
    10. ? What best describes your project: Single object with fields (e.g., Todo with ID, name, description)
    11. ? Do you want to edit the schema now? Yes
  • Edit the schema

    1. type Book @model {
    2. id: ID!
    3. bookId: ID
    4. name: String!
    5. category: String!
    6. description: String
    7. price: Float!
    8. }
  • Submit GraphQL schema

    1. amplify status
    1. Current Environment: master
    2. | Category | Resource name | Operation | Provider plugin |
    3. | -------- | --------------- | --------- | ----------------- |
    4. | Api | BookGraphQL | Create | awscloudformation |
    5. | Auth | bookappb525b224 | No Change | awscloudformation |
    1. amplify push
    2. Do you want to generate code for your newly created GraphQL API Y
    3. Choose the code generation language target: javascript
    4. Enter the file name pattern of graphql queries, mutations and subscriptions: (src/graphql/**/*.js)
    5. Do you want to generate/update all possible GraphQL operations - queries, mutations and subscriptions? Y
    6. Enter maximum statement depth [increase from default if your schema is deeply nested] 2
  • Open AppSync Console

    1. amplify console api
    2. Please select from one of the below mentioned services GraphQL

Section 4: Perform data mutations for your application

  • Create a book record

    1. mutation createBook {
    2. createBook(input: {
    3. name: "AWS Amplify book"
    4. category: "programming"
    5. description: "A book about AWS Amplify"
    6. price: 90
    7. }) {
    8. id name category description price
    9. }
    10. }
  • Perform query

    1. query listBooks {
    2. listBooks {
    3. items {
    4. id
    5. name
    6. category
    7. description
    8. price
    9. }
    10. }
    11. }
  • Perform filter query

    1. query listBooksbyPrice {
    2. listBooks(filter: {
    3. price: {
    4. gt: 20
    5. }
    6. }) {
    7. items {
    8. id
    9. name
    10. category
    11. description
    12. price
    13. }
    14. }
    15. }
  • Configure the React application

    • src/App.js
      ```
      import React, { useEffect, useState } from ‘react’
      import { Auth, API, graphqlOperation } from ‘aws-amplify’
      import ‘./App.css’;

      import { withAuthenticator } from ‘aws-amplify-react’

      // import query
      import { listBooks } from ‘./graphql/queries’

  1. function App() {
  2. useEffect(() => {
  3. Auth.currentAuthenticatedUser()
  4. .then(user => console.log({ user }))
  5. .catch(error => console.log({ error }))
  6. })
  7. const [books, updateBooks] = useState([])
  8. useEffect(() => {
  9. getData()
  10. }, [])
  11. async function getData() {
  12. try {
  13. const bookData = await API.graphql(graphqlOperation(listBooks))
  14. console.log('data from API: ', bookData)
  15. updateBooks(bookData.data.listBooks.items)
  16. } catch (err) {
  17. console.log('error fetching data..', err)
  18. }
  19. }
  20. return (
  21. <div className="App">
  22. <p>
  23. Hello! This is an AWS Amplify application.
  24. </p>
  25. {
  26. books.map((c, i) => (
  27. <div key={i}>
  28. <h2>Title: {c.name}</h2>
  29. <h4>Category: {c.category}</h4>
  30. <h4>Description: {c.description}</h4>
  31. <p>Price: {c.price}</p>
  32. </div>
  33. ))
  34. }
  35. </div>
  36. );
  37. }
  38. export default withAuthenticator(App, { includeGreetings: true })
  39. ```
  • Performing mutations

    1. import React, { useEffect, useReducer } from 'react'
    2. import { Auth, API, graphqlOperation } from 'aws-amplify'
    3. import './App.css';
    4. import { withAuthenticator } from 'aws-amplify-react'
    5. // import query
    6. import { listBooks } from './graphql/queries'
    7. import { createBook as CreateBook } from './graphql/mutations'
    8. import { v4 as uuid } from 'uuid';
    9. const BOOK_ID = uuid()
    10. // create initial state
    11. const initialState = {
    12. name: '', price: '', category: '', description: '', books: []
    13. }
    14. // create reducer to update state
    15. function reducer(state, action) {
    16. switch(action.type) {
    17. case 'SETBOOKS':
    18. return { ...state, books: action.books }
    19. case 'SETINPUT':
    20. return { ...state, [action.key]: action.value }
    21. default:
    22. return state
    23. }
    24. }
    25. function App() {
    26. useEffect(() => {
    27. Auth.currentAuthenticatedUser()
    28. .then(user => console.log({ user }))
    29. .catch(error => console.log({ error }))
    30. })
    31. const [state, dispatch] = useReducer(reducer, initialState)
    32. useEffect(() => {
    33. getData()
    34. }, [])
    35. async function getData() {
    36. try {
    37. const bookData = await API.graphql(graphqlOperation(listBooks))
    38. console.log('data from API: ', bookData)
    39. dispatch({ type: 'SETBOOKS', books: bookData.data.listBooks.items})
    40. } catch (err) {
    41. console.log('error fetching data..', err)
    42. }
    43. }
    44. async function createBook() {
    45. const { name, price, category, description } = state
    46. if (name === '' || price === '' || category === '' || description === '') return
    47. const book = {
    48. name, price: parseFloat(price), category, description, bookId: BOOK_ID
    49. }
    50. const books = [...state.books, book]
    51. dispatch({ type: 'SETBOOKS', books })
    52. console.log('book:', book)
    53. try {
    54. await API.graphql(graphqlOperation(CreateBook, { input: book }))
    55. console.log('item created!')
    56. } catch (err) {
    57. console.log('error creating book...', err)
    58. }
    59. }
    60. // change state then user types into input
    61. function onChange(e) {
    62. dispatch({ type: 'SETINPUT', key: e.target.name, value: e.target.value })
    63. }
    64. return (
    65. <div className="App">
    66. <br/><br/>
    67. <input
    68. name='name'
    69. placeholder='name'
    70. onChange={onChange}
    71. value={state.name}
    72. />
    73. <input
    74. name='price'
    75. placeholder='price'
    76. onChange={onChange}
    77. value={state.price}
    78. />
    79. <input
    80. name='category'
    81. placeholder='category'
    82. onChange={onChange}
    83. value={state.category}
    84. />
    85. <input
    86. name='description'
    87. placeholder='description'
    88. onChange={onChange}
    89. value={state.description}
    90. />
    91. <button onClick={createBook}>Create Book</button>
    92. <br/>
    93. <br/>
    94. {
    95. state.books.map((c, i) => (
    96. <div key={i}>
    97. <h2>Title: {c.name}</h2>
    98. <h4>Category: {c.category}</h4>
    99. <h4>Description: {c.description}</h4>
    100. <p>Price: {c.price}</p>
    101. </div>
    102. ))
    103. }
    104. </div>
    105. );
    106. }
    107. export default withAuthenticator(App, { includeGreetings: true })
  • Add a REST API

    1. ? Please select from one of the below mentioned services REST
    2. ? Provide a friendly name for your resource to be used as a label for this category in the project: amplifyrestapi
    3. ? Provide a path (e.g., /items) /items
    4. ? Choose a Lambda source Create a new Lambda function
    5. ? Provide a friendly name for your resource to be used as a label for this category in the project: amplifyrestapifunction
    6. ? Provide the AWS Lambda function name: amplifyrestapifunction
    7. ? Choose the function template that you want to use: Serverless express function (Integration with Amazon API Gateway)
    8. ? Do you want to access other resources created in this project from your Lambda function? No
    9. ? Do you want to edit the local lambda function now? Yes
    10. Please edit the file in your editor: /<your file path>/amplify/backend/function/amplifyrestapifunction/src/index.js
    11. ? Press enter to continue
    12. Succesfully added the Lambda function locally
    13. ? Restrict API access Yes
    14. ? Who should have access? Authenticated users only
    15. ? What kind of access do you want for Authenticated users? (Press <space> to select, <a> to toggle all, <i> to invert selection)
    16. ? Do you want to add another path? No
  • Interacting with the new API

    1. import React, { useEffect, useReducer, useState } from 'react'
    2. let [message, setMessage] = useState('')
    3. async function getMessageData() {
    4. let apiName = 'amplifyrestapi';
    5. let path = '/items';
    6. let myInit = { // OPTIONAL
    7. headers: {} // OPTIONAL
    8. }
    9. const apiResponse = await API.get(apiName, path, myInit);
    10. setMessage(apiResponse.success)
    11. console.log(apiResponse)
    12. return apiResponse.success
    13. }
    14. This is the message from REST API: {message}
    15. <br/>
    16. <button onClick={() => getMessageData()}>
    17. Show message
    18. </button>
    19. <br/>

Section 5: Multiple development environments

  • Switch Amplify env
    1. amplify env checkout developer
    2. amplify env checkout master
    3. amplify env list
  • Merge branch (Amplify)
    1. amplify env checkout master
    2. amplify env pull
    3. amplify status
    4. amplify push
  • Merge branch (github)
    1. git checkout master
    2. git merge developer
    3. git add .
    4. git commit -m "add a new function"
    5. git push origin master

Project clean up

  • Removing Services

    1. amplify remove auth
    2. amplify status
    3. amplify push
  • Deleting entire project

    1. amplify delete