简体   繁体   English

谷歌云 Function:Python 和 CORS

[英]Google Cloud Function: Python and CORS

Can someone tell me what I am doing wrong, I have been reading the Google Cloud Functions documentation but it is not making sense to me...谁能告诉我我做错了什么,我一直在阅读 Google Cloud Functions 文档,但这对我来说没有意义......

Here's the link to the documentation: https://cloud.google.com/functions/docs/writing/http#functions_http_cors-python这是文档的链接: https://cloud.google.com/functions/docs/writing/http#functions_http_cors-python

Here is the code:这是代码:

import flask, json, logging, os, requests
from requests.exceptions import HTTPError

def get_accesstoken():
  try:
    headers   = {'Content-type': 'application/json', 'Accept': 'text/plain'}
    authUrl   = f"{os.environ.get('AUTH_BASE_URI')}{os.environ.get('AUTH_ENDPOINT')}"
    payload   = {'client_id': os.environ.get("CLIENT_ID"), 'client_secret': os.environ.get("CLIENT_SECRET"), 'grant_type': os.environ.get("GRANT_TYPE")}
    resp      = requests.post(authUrl, data=json.dumps(payload), headers=headers)

    return resp.json()

  except HTTPError as http_err:
    print(f'HTTP error occurred: {http_err}')
    return http_err

  except Exception as err:
    print(f'Other error occurred: {err}')
    return err


def addrecord(request): ## <--- this is the entry cloud function
  """HTTP Cloud Function
  Add records to ANY MC DataExtension
  
  Args:
        request (flask.Request): The request object.
        <http://flask.pocoo.org/docs/1.0/api/#flask.Request>
    ----------------------------------------------------------------------------
    data        = request.get_json().get('data', [{}]) // JSON array of objects
    dataId      = request.get_json().get('dataId', None) // string
  """

  request_json  = request.get_json(silent=True)
  token         = get_accesstoken()
  payload       = request_json["data"]
  dextUrl       = f"{os.environ.get('REST_BASE_URI')}{os.environ.get('REST_DE_ENDPOINT')}{request_json['dataExtId']}/rowset"

  # Set CORS headers for the preflight request
  if request.method == 'OPTIONS':
      # Allows GET & POST requests from any origin with the Content-Type
      # header and caches preflight response for an 3600s
      headers = {
          'Access-Control-Allow-Origin': '*',
          'Access-Control-Allow-Methods': 'GET, POST',
          'Access-Control-Allow-Headers': 'Content-Type',
          'Access-Control-Max-Age': '3600'
      }

      return ('', 204, headers)

  headers       = {
    'Content-type': 'application/json',
    'Authorization': 'Bearer '+token["access_token"],
    'Access-Control-Allow-Origin': '*'
  }

  resp          = requests.post(dextUrl, data=json.dumps(payload), headers=headers)
  return(resp.raise_for_status(), 200, headers)

When I try to send a POST request from my frontend form - I get the following error:当我尝试从前端表单发送 POST 请求时 - 我收到以下错误:

Access to XMLHttpRequest at 'https://xxxxxxxxxx.cloudfunctions.net/addrecord' from origin 'https://mywebsite.com' has been blocked by CORS policy: Response to preflight request doesn't pass access control check: No 'Access-Control-Allow-Origin' header is present on the requested resource.

I honestly do not understand what I am missing / doing wrong...I also feel like I may be over complicating things.老实说,我不明白我错过了什么/做错了什么……我也觉得我可能把事情复杂化了。

To complete the circle, here is the JS code that is doing to POST request:为了完成这个循环,这里是 POST 请求的 JS 代码:

let postData = {...};

$.ajax({
        url: 'https://xxxxxxxxxx.cloudfunctions.net/addrecord',
        type: 'post',
        crossDomain: true,
        contentType: 'application/json',
        dataType: 'json',
        data: JSON.stringify(postData),
        success: function (data) {
          console.info(data);
        },
        error: function (data) {
          console.log(data)
        }
      });

You didn't else your if block that sets the headers.if else

So your second headers = block is always the one that's getting set.所以你的第二个headers = block 总是那个被设置的。 The second assignment isn't appending those headers to the data, they're re-assigning the variable entirely.第二个分配不是将这些标头附加到数据中,而是完全重新分配变量。 So you're not getting the access origin headers in there.所以你没有在那里得到访问源头。

Way to test it to verify, is to put a print(headers) after the second assignment to see what's going on.测试它以验证的方法是在第二次分配之后放置一个print(headers)以查看发生了什么。

Edit: Missing the return in the if block for the OPTIONS case.编辑:在 OPTIONS 案例的 if 块中缺少返回。

Thanks to @Gabe Weiss --感谢@Gabe Weiss——

I realized that I needed to do three things...我意识到我需要做三件事......

First, I added return ('', 204, headers) to the end of the if request.method == 'OPTIONS': statement.首先,我在if request.method == 'OPTIONS':语句的末尾添加了return ('', 204, headers)

Second, I moved my request call to after the headers were set.其次,我将请求调用移至设置标题后。 and Finally, I returned the response最后,我返回了响应

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM