如果我尝试使用类似的东西创建记录
var myObject = App.ModelName.createRecord( data );
myObject.get("transaction").commit();
myObject 的 id 从未设置。
这表示 id 生成应该由 EmberData 处理(第一个响应)。那么应该发生什么?新id在哪里确定。不应该有一个回调到 API 来获取有效的 id 吗?
如果我尝试使用类似的东西创建记录
var myObject = App.ModelName.createRecord( data );
myObject.get("transaction").commit();
myObject 的 id 从未设置。
这表示 id 生成应该由 EmberData 处理(第一个响应)。那么应该发生什么?新id在哪里确定。不应该有一个回调到 API 来获取有效的 id 吗?
使用一些 REST 适配器,例如Firebase,您可以将 id 定义为您要创建的记录的变量。
App.User = DS.Model.extend({
firstName: DS.attr('string')
});
var sampleUser = model.store.createRecord('user', {
id: '4231341234891234',
firstName: 'andreas'
});
sampleUser.save();
数据库中的 JSON (Firebase)
"users": {
"4231341234891234": {
"firstName": "andreas"
}
}
ID 是您的记录的主键,它由您的数据库而不是 Ember 创建。这是提交给 REST 帖子的 JSON 结构,注意没有 ID。
{"post":{"title":"c","author":"c","body":"c"}}
在您的 REST Post 函数中,您必须获取最后一个插入 ID,并使用以下 JSON 结构将其与其余模型数据一起返回给 Ember。注意 ID,即最后一个插入 ID。您必须使用 DB api 手动获取最后一个插入 ID。
{"post":{"id":"20","title":"c","author":"c","body":"c"}}
这是我的 REST 帖子的示例代码。我使用 PHP REST Slim 框架对此进行了编码:
$app->post('/posts', 'addPost'); //insert new post
function addPost() {
$request = \Slim\Slim::getInstance()->request();
$data = json_decode($request->getBody());
//logging json data received from Ember!
$file = 'json1.txt';
file_put_contents($file, json_encode($data));
//exit;
foreach($data as $key => $value) {
$postData = $value;
}
$post = new Post();
foreach($postData as $key => $value) {
if ($key == "title")
$post->title = $value;
if ($key == "author")
$post->author = $value;
if ($key == "body")
$post->body = $value;
}
//logging
$file = 'json2.txt';
file_put_contents($file, json_encode($post));
$sql = "INSERT INTO posts (title, author, body) VALUES (:title, :author, :body)";
try
{
$db = getConnection();
$stmt = $db->prepare($sql);
$stmt->bindParam("title", $post->title);
$stmt->bindParam("author", $post->author);
$stmt->bindParam("body", $post->body);
$stmt->execute();
$insertID = $db->lastInsertId(); //get the last insert ID
$post->id = $insertID;
//prepare the Ember Json structure
$emberJson = array("post" => $post);
//logging
$file = 'json3.txt';
file_put_contents($file, json_encode($emberJson));
//return the new model back to Ember for model update
echo json_encode($emberJson);
}
catch(PDOException $e)
{
//$errorMessage = $e->getMessage();
//$data = Array(
// "insertStatus" => "failed",
// "errorMessage" => $errorMessage
//);
}
}