- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我正在关注此 Google Firebase 教程:https://cloud.google.com/appengine/docs/standard/python/authenticating-users-firebase-appengine
我在最后一部分将注释添加到数据存储区,但是当我按下按钮添加注释时,它没有执行任何操作,并在 Firefox Web 控制台中给出以下错误:
Cross-Origin Request Blocked: The Same Origin Policy disallows reading the remote resource at https://backend-dot-i7643225firenotes.appspot.com/notes. (Reason: CORS header ‘Access-Control-Allow-Origin’ missing).
有什么想法会导致这种情况吗?我还没有接触过谷歌提供的代码,但无论如何我都会包含它。其余部分可以在这里找到:
main.js
// Copyright 2016, Google, Inc.
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
$(function(){
// This is the host for the backend.
// TODO: When running Firenotes locally, set to http://localhost:8081. Before
// deploying the application to a live production environment, change to
// https://backend-dot-<PROJECT_ID>.appspot.com as specified in the
// backend's app.yaml file.
var backendHostUrl = 'https://backend-dot-i7643225firenotes.appspot.com'; //localhost:8081
// Initialize Firebase
// TODO: Replace with your project's customized code snippet
var config = {
apiKey: "REMOVED",
authDomain: "REMOVED",
databaseURL: "https://<DATABASE_NAME>.firebaseio.com",
storageBucket: "<BUCKET>.appspot.com",
};
// This is passed into the backend to authenticate the user.
var userIdToken = null;
// Firebase log-in
function configureFirebaseLogin() {
firebase.initializeApp(config);
// [START onAuthStateChanged]
firebase.auth().onAuthStateChanged(function(user) {
if (user) {
$('#logged-out').hide();
var name = user.displayName;
/* If the provider gives a display name, use the name for the
personal welcome message. Otherwise, use the user's email. */
var welcomeName = name ? name : user.email;
user.getToken().then(function(idToken) {
userIdToken = idToken;
/* Now that the user is authenicated, fetch the notes. */
fetchNotes();
$('#user').text(welcomeName);
$('#logged-in').show();
});
} else {
$('#logged-in').hide();
$('#logged-out').show();
}
// [END onAuthStateChanged]
});
}
// [START configureFirebaseLoginWidget]
// Firebase log-in widget
function configureFirebaseLoginWidget() {
var uiConfig = {
'signInSuccessUrl': '/',
'signInOptions': [
// Leave the lines as is for the providers you want to offer your users.
firebase.auth.GoogleAuthProvider.PROVIDER_ID,
//firebase.auth.FacebookAuthProvider.PROVIDER_ID,
//firebase.auth.TwitterAuthProvider.PROVIDER_ID,
//firebase.auth.GithubAuthProvider.PROVIDER_ID,
firebase.auth.EmailAuthProvider.PROVIDER_ID
],
// Terms of service url
'tosUrl': '<your-tos-url>',
};
var ui = new firebaseui.auth.AuthUI(firebase.auth());
ui.start('#firebaseui-auth-container', uiConfig);
}
// [END configureFirebaseLoginWidget]
// [START fetchNotes]
// Fetch notes from the backend.
function fetchNotes() {
$.ajax(backendHostUrl + '/notes', {
/* Set header for the XMLHttpRequest to get data from the web server
associated with userIdToken */
headers: {
'Authorization': 'Bearer ' + userIdToken
}
}).then(function(data){
$('#notes-container').empty();
// Iterate over user data to display user's notes from database.
data.forEach(function(note){
$('#notes-container').append($('<p>').text(note.message));
});
});
}
// [END fetchNotes]
// [START signOutBtn]
// Sign out a user
var signOutBtn =$('#sign-out');
signOutBtn.click(function(event) {
event.preventDefault();
//FirebaseAuth.getInstance().signOut();
firebase.auth().signOut().then(function() {
console.log("Sign out successful");
}, function(error) {
console.log(error);
});
});
// [END signOutBtn]
// [START saveNoteBtn]
// Save a note to the backend
var saveNoteBtn = $('#add-note');
saveNoteBtn.click(function(event) {
event.preventDefault();
var noteField = $('#note-content');
var note = noteField.val();
noteField.val("");
/* Send note data to backend, storing in database with existing data
associated with userIdToken */
$.ajax(backendHostUrl + '/notes', {
headers: {
'Authorization': 'Bearer ' + userIdToken
},
method: 'POST',
data: JSON.stringify({'message': note}),
contentType : 'application/json'
}).then(function(){
// Refresh notebook display.
fetchNotes();
});
});
// [END saveNoteBtn]
configureFirebaseLogin();
configureFirebaseLoginWidget();
});
main.py
# Copyright 2016 Google Inc.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
# [START app]
import logging
from flask import Flask, jsonify, request
import flask_cors
from google.appengine.ext import ndb
import google.auth.transport.requests
import google.oauth2.id_token
import requests_toolbelt.adapters.appengine
# Use the App Engine Requests adapter. This makes sure that Requests uses
# URLFetch.
requests_toolbelt.adapters.appengine.monkeypatch()
HTTP_REQUEST = google.auth.transport.requests.Request()
app = Flask(__name__)
flask_cors.CORS(app)
# [START note]
class Note(ndb.Model):
"""NDB model class for a user's note.
Key is user id from decrypted token.
"""
friendly_id = ndb.StringProperty()
message = ndb.TextProperty()
created = ndb.DateTimeProperty(auto_now_add=True)
# [END note]
# [START query_database]
def query_database(user_id):
"""Fetches all notes associated with user_id.
Notes are ordered them by date created, with most recent note added
first.
"""
ancestor_key = ndb.Key(Note, user_id)
query = Note.query(ancestor=ancestor_key).order(-Note.created)
notes = query.fetch()
note_messages = []
for note in notes:
note_messages.append({
'friendly_id': note.friendly_id,
'message': note.message,
'created': note.created
})
return note_messages
# [END query_database]
# [START list_notes]
@app.route('/notes', methods=['GET'])
def list_notes():
"""Returns a list of notes added by the current Firebase user."""
# Verify Firebase auth.
# [START verify_token]
id_token = request.headers['Authorization'].split(' ').pop()
claims = google.oauth2.id_token.verify_firebase_token(
id_token, HTTP_REQUEST)
if not claims:
return 'Unauthorized', 401
# [END verify_token]
notes = query_database(claims['sub'])
return jsonify(notes)
# [END list_notes]
# [START add_note]
@app.route('/notes', methods=['POST', 'PUT'])
def add_note():
"""
Adds a note to the user's notebook. The request should be in this format:
{
"message": "note message."
}
"""
# Verify Firebase auth.
id_token = request.headers['Authorization'].split(' ').pop()
claims = google.oauth2.id_token.verify_firebase_token(
id_token, HTTP_REQUEST)
if not claims:
return 'Unauthorized', 401
# [START create_entity]
data = request.get_json()
# Populates note properties according to the model,
# with the user ID as the key name.
note = Note(
parent=ndb.Key(Note, claims['sub']),
message=data['message'])
# Some providers do not provide one of these so either can be used.
note.friendly_id = claims.get('name', claims.get('email', 'Unknown'))
# [END create_entity]
# Stores note in database.
note.put()
return 'OK', 200
# [END add_note]
@app.errorhandler(500)
def server_error(e):
# Log the error and stacktrace.
logging.exception('An error occurred during a request.')
return 'An internal error occurred.', 500
# [END app]
最佳答案
我已经尝试过the tutorial我自己,一切对我来说都运行良好,所以我猜您可能跳过了某些步骤,或者配置错误。
我发现您的示例和我的示例之间唯一显着的差异如下,因此您可以尝试修改它们以查看您的问题是否得到解决:
导入错误
,因此我将这行 werkzeug==0.12.2
添加到 backend/requirements.txt
> 文件,其中包括将安装的库。最新版本的 werzeug
库已将一些依赖项移至嵌套文件夹,这就是某些导入失败的原因(您可以阅读更多内容 here )。然后,删除 lib
文件夹并重新运行命令来安装库 pip install -rrequirements.txt -t lib
。在进行此修改之前,我遇到了与您相同的问题,在我的应用程序中单击“保存”按钮时没有任何反应,但更改后,它工作正常。frontend/main.js
文件中的 config
变量有一些您已删除的附加字段。我得到了以下参数 this guide转到我的 Firebase 控制台,单击圆形将 Firebase 添加到您的网络应用按钮,然后复制内容,如下所示:config
frontend/main.js
中的变量:
var config = {
apiKey: "<API_KEY>",
authDomain: "<PROJECT_ID>.firebaseapp.com",
databaseURL: "https://<PROJECT_ID>.firebaseio.com",
projectId: "<PROJECT_ID>",
storageBucket: "<PROJECT_ID>.appspot.com",
messagingSenderId: "<SOME_ID>"
};
至于其余部分,我认为一切都很好,只是我刚刚尝试使用 firebase.auth.GoogleAuthProvider.PROVIDER_ID
并且已删除所有其余部分。我还在生产环境中运行该应用程序(App Engine 标准),而不是使用本地开发服务器。我也查看了我的 CORS 配置,没有什么特别的,只有代码中已有的几行:
app = Flask(__name__)
flask_cors.CORS(app)
您应该尝试使用我提供的几个建议,如果错误继续出现,请返回并提供有关该错误的更多信息。
关于javascript - 跨源请求被阻止 - 创建实体 GAE 数据存储,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/47870231/
语境 我正在将一个旧的 php 电子商务网站变成一个用 gatsby.js 构建的静态网站。 我将所有产品元数据放入单独的 .json 文件(每个产品一个),并且我能够使用 json 和文件转换器插件
我曾经能够使用三指向上滚动在源/标题之间切换。自从升级到 Lion 后,我只进行常规滚动。有没有办法恢复该功能? Aka,当我像以前那样向上/向下滚动时,它不会跳到对应的位置。 更新 Apple 在
我有一个包含复选框输入的克隆元素。当克隆的元素未被选中时,我需要也取消选中源元素。有没有办法在 jQuery 中做到这一点?或者我是否以错误的方式处理这个问题(即使用clone())?我应该提到我的问
我有一个类,其中有两个 JSpinner 对象,x 和 y。我有一个更改监听器,它已添加到两者中。有人可以告诉我如何实现我的更改监听器,以便监听器可以区分两个对象之间的区别。例如伪代码: if(sou
我正在编写涉及 for 循环的代码,该循环在每个索引处进行计算。 这些计算中的最小值存储在一个变量中,我在程序末尾使用 MPI_Allreduce 来确定所有进程的全局最小值。 但是,我需要一种方法来
我需要在一个 Android 项目中创建一个 map View ,我从服务器获取自定义 map 图 block PNG。有人知道实现此类功能的简单许可 API 吗? 最佳答案 我使用了 OsmDroi
因为我必须创建一个可以更改图像 (src/background-url) 的函数。我想知道如何识别标签以及它是使用 src 还是 url 来访问图像。 让我们说 早些时候我写了一个可以
当我使用源 map 浏览器 https://github.com/danvk/source-map-explorer要检查捆绑包中的内容,我得到以下输出: D:\projects\angular\mT
我正在为客户将 Windev 应用程序移植到 Objective-C。出于显而易见的原因,使用以前的源代码会更简单。 不幸的是,它是加密的,我需要 EDI 才能看到它;完整版的 Windev 太贵了(
我有一个简单的视频播放器,它使用 WPF MediaElement 播放一系列视频。这些视频一起形成一个围绕静止图像移动的连续电影。在每个视频结束时,运动会卡住在当前播放视频的最后一帧。当我按下一个按
我需要更改 openlayer 的图层源(使用 open weather api)。目前我正在使用以下代码但没有成功。 let layer = this.map.getLayers().getArra
我正在尝试在 /dev/random 的机器上运行代码不会很快填满,我正在尝试使用的 Java 程序因缺少随机数而挂起。/dev/urandom产生“不太好”的随机数,但不会阻塞,对于这种情况,我宁愿
我需要 Yocto 项目的源代码包。我已经拥有整个项目的所有资源,但它们还包括开发工具。 我想有一种方法来生成将为目标图像构建的所有包的(修补的)源。因此,例如,如果目标图像包含 busybox,我想
如何对入侵者隐藏 iFrame src 假设我正在流式传输我的网络摄像头或我的电脑屏幕,这是 iframe 代码: 并且我不希望它在大多数浏览器上显示页面源中的流 URL 和检查功能! 这意
是否可以进入 Qt 源,例如qmainwindow.cpp,在 Qt Creator 中?目前我正在看到反汇编,但最好能看到源代码。 最佳答案 当然!但您可能必须首先: 转到 $QT_HOME/qt
我正在尝试创建一个包含很少动漫剧集的简单网站。我有一个关于 javascript 的问题。如何通过单击我的链接之一来更改视频源?我明白,我必须使用事件监听器,只需更改 取决于我点击的链接,但我不太擅长
我有一个带有 BindingSouce 的 DevExpress GridControl。我想清除 BindingSource 并用新数据填充它。我这样做: var list = new List()
当单击提交输入按钮时,我尝试将其他参数(选定复选框的列表)传递到服务器处理的 DataTables 表#my_table: 这可能意味着我必须将 my_table.sAjaxSource 设置为后端脚
(好吧,别对我大喊大叫,这里已经很晚了:)) 我正在研究 delta diff 工具(命令行工具或组件,只要我可以从 Delphi 2010 调用它们就可以了) 我有这个项目,我将文件上传到服务器,我
我需要解析 Yahoo Weather RSS feed 中的某个位置,例如 http://weather.yahooapis.com/forecastrss?w=44418&u=c例如,获取最高、最
我是一名优秀的程序员,十分优秀!