处理 Laravel Eloquent ORM 中的 Mysql Spatial 数据类型
2022-08-30 20:06:38
如何在雄辩的ORM中处理mysql空间数据类型?,这包括如何创建迁移,插入空间数据和执行空间查询。如果没有实际的解决方案,是否有任何解决方法?
如何在雄辩的ORM中处理mysql空间数据类型?,这包括如何创建迁移,插入空间数据和执行空间查询。如果没有实际的解决方案,是否有任何解决方法?
我不久前实施的解决方法是在模型上具有具有以下验证的纬度和经度字段(请参阅验证器类):
$rules = array('latitude' => 'required|numeric|between:-90,90',
'longitude'=>'required|numeric|between:-180,180',)
魔术来自模型的引导方法,该方法设置了空间点字段的正确值:
/**
* Boot method
* @return void
*/
public static function boot(){
parent::boot();
static::creating(function($eloquentModel){
if(isset($eloquentModel->latitude, $eloquentModel->longitude)){
$point = $eloquentModel->geoToPoint($eloquentModel->latitude, $eloquentModel->longitude);
$eloquentModel->setAttribute('location', DB::raw("GeomFromText('POINT(" . $point . ")')") );
}
});
static::updated(function($eloquentModel){
if(isset($eloquentModel->latitude, $eloquentModel->longitude)){
$point = $eloquentModel->geoToPoint($eloquentModel->latitude, $eloquentModel->longitude);
DB::statement("UPDATE " . $eloquentModel->getTable() . " SET location = GeomFromText('POINT(" . $point . ")') WHERE id = ". $eloquentModel->id);
}
});
}
关于迁移,@jhmilan表示您始终可以使用 Schema::create 和 DB::statement 方法来自定义迁移。
Schema::create('locations', function($table){
$table->engine = "MYISAM";
$table->increments('id')->unsigned();
$table->decimal('latitude', 10, 8);
$table->decimal('longitude', 11, 8);
$table->timestamps();
});
/*Espatial Column*/
DB::statement('ALTER TABLE locations ADD location POINT NOT NULL' );
/*Espatial index (MYISAM only)*/
DB::statement( 'ALTER TABLE locations ADD SPATIAL INDEX index_point(location)' );
它可以使用 https://github.com/grimzy/laravel-mysql-spatial
您可以使用:
namespace App;
use Illuminate\Database\Eloquent\Model;
use Grimzy\LaravelMysqlSpatial\Eloquent\SpatialTrait;
/**
* @property \Grimzy\LaravelMysqlSpatial\Types\Point $location
*/
class Place extends Model
{
use SpatialTrait;
protected $fillable = [
'name',
];
protected $spatialFields = [
'location',
];
}
然后,您就可以在“位置”字段上运行查询。
存储您可以使用的模型:
$place1 = new Place();
$place1->name = 'Empire State Building';
$place1->location = new Point(40.7484404, -73.9878441);
$place1->save();
要检索模型,应使用:
$place2 = Place::first();
$lat = $place2->location->getLat(); // 40.7484404
$lng = $place2->location->getLng(); // -73.9878441