mirror of
https://github.com/SamyRai/turash.git
synced 2025-12-26 23:01:33 +00:00
Repository Structure:
- Move files from cluttered root directory into organized structure
- Create archive/ for archived data and scraper results
- Create bugulma/ for the complete application (frontend + backend)
- Create data/ for sample datasets and reference materials
- Create docs/ for comprehensive documentation structure
- Create scripts/ for utility scripts and API tools
Backend Implementation:
- Implement 3 missing backend endpoints identified in gap analysis:
* GET /api/v1/organizations/{id}/matching/direct - Direct symbiosis matches
* GET /api/v1/users/me/organizations - User organizations
* POST /api/v1/proposals/{id}/status - Update proposal status
- Add complete proposal domain model, repository, and service layers
- Create database migration for proposals table
- Fix CLI server command registration issue
API Documentation:
- Add comprehensive proposals.md API documentation
- Update README.md with Users and Proposals API sections
- Document all request/response formats, error codes, and business rules
Code Quality:
- Follow existing Go backend architecture patterns
- Add proper error handling and validation
- Match frontend expected response schemas
- Maintain clean separation of concerns (handler -> service -> repository)
168 lines
5.6 KiB
Go
168 lines
5.6 KiB
Go
package repository
|
|
|
|
import (
|
|
"context"
|
|
|
|
"bugulma/backend/internal/domain"
|
|
|
|
"gorm.io/gorm"
|
|
)
|
|
|
|
// SiteRepository implements domain.SiteRepository with GORM
|
|
type SiteRepository struct {
|
|
*BaseRepository[domain.Site]
|
|
}
|
|
|
|
// NewSiteRepository creates a new GORM-based site repository
|
|
func NewSiteRepository(db *gorm.DB) domain.SiteRepository {
|
|
return &SiteRepository{
|
|
BaseRepository: NewBaseRepository[domain.Site](db),
|
|
}
|
|
}
|
|
|
|
// GetByOrganizationID retrieves sites owned by a specific organization
|
|
func (r *SiteRepository) GetByOrganizationID(ctx context.Context, organizationID string) ([]*domain.Site, error) {
|
|
return r.FindWhereWithContext(ctx, "owner_organization_id = ?", organizationID)
|
|
}
|
|
|
|
// GetWithinRadius retrieves sites within a geographic radius using PostGIS (PostgreSQL) or Haversine (fallback)
|
|
func (r *SiteRepository) GetWithinRadius(ctx context.Context, lat, lng, radiusKm float64) ([]*domain.Site, error) {
|
|
// Check if we're using PostgreSQL with PostGIS support
|
|
dialector := r.DB().Dialector.Name()
|
|
|
|
if dialector == "postgres" {
|
|
// Check if PostGIS extension and location_geometry column exist
|
|
var postgisAvailable bool
|
|
var columnExists bool
|
|
if err := r.DB().Raw("SELECT EXISTS(SELECT 1 FROM pg_extension WHERE extname = 'postgis')").Scan(&postgisAvailable).Error; err == nil && postgisAvailable {
|
|
if err := r.DB().Raw(`
|
|
SELECT EXISTS(
|
|
SELECT 1 FROM information_schema.columns
|
|
WHERE table_name = 'sites' AND column_name = 'location_geometry'
|
|
)
|
|
`).Scan(&columnExists).Error; err != nil {
|
|
columnExists = false
|
|
}
|
|
}
|
|
|
|
if postgisAvailable && columnExists {
|
|
// Use PostGIS for PostgreSQL
|
|
var sites []*domain.Site
|
|
query := `
|
|
SELECT * FROM sites
|
|
WHERE location_geometry IS NOT NULL
|
|
AND ST_DWithin(
|
|
location_geometry::geography,
|
|
ST_GeogFromText('POINT(? ?)'),
|
|
? * 1000
|
|
)
|
|
ORDER BY location_geometry <-> ST_GeogFromText('POINT(? ?)')
|
|
`
|
|
result := r.DB().WithContext(ctx).Raw(query, lng, lat, radiusKm, lng, lat).Scan(&sites)
|
|
if result.Error != nil {
|
|
return nil, result.Error
|
|
}
|
|
return sites, nil
|
|
}
|
|
}
|
|
|
|
// Fallback to simple bounding box approximation for other databases or when PostGIS is not available
|
|
// For 10km radius, approximate delta_lat ~ 0.09, delta_lng ~ 0.15 at lat 52
|
|
var sites []*domain.Site
|
|
query := `
|
|
SELECT * FROM sites
|
|
WHERE latitude IS NOT NULL AND longitude IS NOT NULL
|
|
AND abs(latitude - ?) <= 0.09
|
|
AND abs(longitude - ?) <= 0.15
|
|
`
|
|
result := r.DB().WithContext(ctx).Raw(query, lat, lng).Scan(&sites)
|
|
if result.Error != nil {
|
|
return nil, result.Error
|
|
}
|
|
return sites, nil
|
|
}
|
|
|
|
// GetBySiteType retrieves sites by type
|
|
func (r *SiteRepository) GetBySiteType(ctx context.Context, siteType domain.SiteType) ([]*domain.Site, error) {
|
|
return r.FindWhereWithContext(ctx, "site_type = ?", siteType)
|
|
}
|
|
|
|
// getLocalizedValue retrieves a localized value from the localizations table
|
|
// Returns empty string if not found (will fallback to Russian from main table)
|
|
func (r *SiteRepository) getLocalizedValue(entityType, entityID, field, locale string) string {
|
|
if locale == "ru" {
|
|
return "" // Russian is stored in main table, not in localizations
|
|
}
|
|
|
|
var localization domain.Localization
|
|
err := r.DB().Where("entity_type = ? AND entity_id = ? AND field = ? AND locale = ?",
|
|
entityType, entityID, field, locale).First(&localization).Error
|
|
if err != nil {
|
|
return "" // Not found, will fallback to Russian
|
|
}
|
|
return localization.Value
|
|
}
|
|
|
|
// GetHeritageSites retrieves sites that have heritage status with localization support
|
|
func (r *SiteRepository) GetHeritageSites(ctx context.Context, locale string) ([]*domain.Site, error) {
|
|
// Default to Russian if locale is empty or invalid
|
|
if locale == "" {
|
|
locale = "ru"
|
|
}
|
|
if locale != "ru" && locale != "en" && locale != "tt" {
|
|
locale = "ru"
|
|
}
|
|
|
|
var sites []*domain.Site
|
|
if err := r.DB().WithContext(ctx).Where("heritage_status IS NOT NULL AND heritage_status != ''").Find(&sites).Error; err != nil {
|
|
return nil, err
|
|
}
|
|
|
|
// Apply localization to each site
|
|
for i := range sites {
|
|
site := sites[i]
|
|
|
|
// Localize name
|
|
if localizedName := r.getLocalizedValue(site.GetEntityType(), site.GetEntityID(), "name", locale); localizedName != "" {
|
|
site.Name = localizedName
|
|
}
|
|
|
|
// Localize notes (description)
|
|
if localizedNotes := r.getLocalizedValue(site.GetEntityType(), site.GetEntityID(), "notes", locale); localizedNotes != "" {
|
|
site.Notes = localizedNotes
|
|
}
|
|
|
|
// Localize builder_owner
|
|
if localizedBuilderOwner := r.getLocalizedValue(site.GetEntityType(), site.GetEntityID(), "builder_owner", locale); localizedBuilderOwner != "" {
|
|
site.BuilderOwner = localizedBuilderOwner
|
|
}
|
|
|
|
// Localize architect
|
|
if localizedArchitect := r.getLocalizedValue(site.GetEntityType(), site.GetEntityID(), "architect", locale); localizedArchitect != "" {
|
|
site.Architect = localizedArchitect
|
|
}
|
|
|
|
// Localize original_purpose
|
|
if localizedOriginalPurpose := r.getLocalizedValue(site.GetEntityType(), site.GetEntityID(), "original_purpose", locale); localizedOriginalPurpose != "" {
|
|
site.OriginalPurpose = localizedOriginalPurpose
|
|
}
|
|
|
|
// Localize current_use
|
|
if localizedCurrentUse := r.getLocalizedValue(site.GetEntityType(), site.GetEntityID(), "current_use", locale); localizedCurrentUse != "" {
|
|
site.CurrentUse = localizedCurrentUse
|
|
}
|
|
|
|
// Localize style
|
|
if localizedStyle := r.getLocalizedValue(site.GetEntityType(), site.GetEntityID(), "style", locale); localizedStyle != "" {
|
|
site.Style = localizedStyle
|
|
}
|
|
|
|
// Localize materials
|
|
if localizedMaterials := r.getLocalizedValue(site.GetEntityType(), site.GetEntityID(), "materials", locale); localizedMaterials != "" {
|
|
site.Materials = localizedMaterials
|
|
}
|
|
}
|
|
|
|
return sites, nil
|
|
}
|