Ir para conteúdo

POWERED BY:

Arquivado

Este tópico foi arquivado e está fechado para novas respostas.

Joseildo Rocha

ordem alfabetica

Recommended Posts

Como colocar esse código em ordem alfabética?

 

<?php
class PlacesController extends ItemController
{
    public $tablename = "places";
    public $filter_valid_columns  = array( 'id','accepted','name','text','submission_date','author_id');

    //make Available for everyone, not just admin
    function beforeroute()
    {
    }


    function getById($f3)
    {
        $item = $this->getByIdFromParameters();
        $item['category'] = json_encode($this->getRelationTableFromDb("places_categories", "place_id", "category_id", $item['id']));
        
        if ($item['author_id']>0) {
            $user = new User($this->db);
            $user->getById( $item['author_id']);
            $item['author'] = $user->username;
        } else {
            $item['author'] ="";
        }

        $sql = "SELECT  COALESCE(COUNT(id), 0) AS totalratings ,COALESCE(AVG(rating), 0) AS avgrating FROM ratings  WHERE  placeid=".$item['id'].";";
        $output = $this->db->exec($sql, $args);
        $item['avgrating']=$output[0]['avgrating'];
        $item['totalratings']=$output[0]['totalratings'];

        if ($item['pin']!=null) {
            $itemModel = new ItemModel($this->db, "pins");
            $pin = $itemModel->getById($f3, $item['pin']);
            $item['pinimage']=$pin['image'];
        }

        echo json_encode($item);
    }


    function getMultiplePlaces($f3, $top, $local_filter = array(), $featured_first = true)
    {
        //get pagination parameters
        $limit = $f3->get('PARAMS.limit');
        $pos = $f3->get('PARAMS.pos');
        $category_id = $f3->get('GET.category');
        $accepted = $f3->get('GET.accepted');

        $currentlat = $f3->get('GET.currentlat');
        $currentlng = $f3->get('GET.currentlng');

        $hasAuth=$this->hasAuth(User::AUTHOR);

        //accepted or not accepted
        if ($accepted=="") {
            $accepted="1";
        }
        if ($accepted==null) {
            $accepted="1";
        }

        $local_filter['accepted'] = $accepted;


        //categories
        if (isset( $_GET[ 'category' ] )) {
            $ids = $this->getRelationTableFromDb("places_categories", "category_id", "place_id", $category_id);
            $local_filter['id'] = $ids;
        }

        //filter
        $filter = $this->getFilterFromParameters("name", $local_filter, "places.");
        //print_r( $filter);
        
        
        $sql = "SELECT places.*, COALESCE(COUNT(r.id), 0) AS totalratings ,COALESCE((SELECT AVG(rating) FROM ratings WHERE placeid = places.id), 0) AS avgrating, pin.image as pinimage ";
        if ($currentlat!=null & $currentlng!=null) {
            $sql.=" , (ACOS(SIN(RADIANS(?))*SIN(RADIANS( gpslat ))+COS(RADIANS(?))*COS(RADIANS( gpslat ))*COS(RADIANS(gpslng-?)))*6371) as distance";
        }
        $sql.=" FROM places LEFT JOIN ratings AS r ON places.id = r.placeid  LEFT JOIN pins AS pin ON places.pin = pin.id ";

        $args=array();
        if ($filter) {
            if (is_array($filter)) {
                $args=isset($filter[1]) && is_array($filter[1])?
                    $filter[1]:
                    array_slice($filter, 1, null, true);
                $args=is_array($args)?$args:array(1=>$args);
                list($filter)=$filter;
            }
            $sql.=' WHERE '.$filter;
        }
        if ($currentlat!=null & $currentlng!=null) {
            array_unshift($args, $currentlat, $currentlat, $currentlng);
        }

        $sql .=" GROUP BY places.id";
        if ($currentlat!=null & $currentlng!=null) {
            $sql .=" ORDER BY distance ASC LIMIT ".$pos.", ".$limit.";";
        } else {
            if ($featured_first) {
                $sql .=" ORDER BY featured DESC, ".$top." DESC LIMIT ".$pos.", ".$limit.";";
            } else {
                $sql .=" ORDER BY  ".$top." DESC LIMIT ".$pos.", ".$limit.";";
            }
        }
       

        $output = $this->db->exec($sql, $args);
        echo json_encode($output);
        

        //return list
        //print_r( "\r\n\r\n\r\n\r\n");
       // print_r( $sql);
        //echo  json_encode($list);
    }


    function getMultiple($f3)
    {
        $top = $f3->get('GET.sort');
        if ($top==null) {
            $this->getMultiplePlaces($f3, "submission_date");
        } else {
            $this->getMultiplePlaces($f3, $top);
        }
    }

    function getTop($f3)
    {
        $top = $f3->get('PARAMS.top');

        //$preferences = new Preferences($this->db);
        //$topduration = $preferences->getValue("topduration", "7");
        //$now = new DateTime();
       // $lastweek = $now->sub(new DateInterval('P'.$topduration.'D'));
        //$local_filter = array('minimum_submission_date' => $lastweek->format('Y-m-d H:i:s'));

        $this->getMultiplePlaces($f3, $top, array(), false);
    }


    function add($f3)
    {
        //authenticate
        $this->auth(User::AUTHOR);
        if ($f3->get('DEMO')) {
            exit;
        }

        //check if accepted
        $accepted=$this->hasAuth(User::AUTHOR);
        if ($f3->get('POST.accepted')=="0") {
             $accepted=0;
             exit;
        }

        //get author id
        $user = new User($this->db);
        $user->getByEmail($_SESSION['email']);

        //add item
        $item = new ItemModel($this->db, $this->tablename);
        $item->loadIfIdAvailable($f3, "id");
        $item->accepted = $accepted;
        $item->read($f3, 'name', 'text', 'submission_date', 'author_id', 'featured', 'address', 'gpslat', 'gpslng', 'price', 'deal_link', 'price_suffix', 'telephone', 'email', 'pin');
        $item->readImage($f3, "image", true, 600, 300);
        $item->author_id = $user->id;
        $item->save();
        $this->getRelationTableFromPost("category", "places_categories", "place_id", "category_id", $item->id);

        //send push notification if enabled
        if (!(empty($f3->get('POST.pushnotification')))) {
            $apiController = new ApiController();
            $apiController->sendPushNotification($f3, "News", $f3->get('POST.name'));
        }
    }


    function delete($f3)
    {
        //authenticate
        $this->auth(User::AUTHOR);
        if ($f3->get('DEMO')) {
            exit;
        }

        //delete item by id
        $item = new ItemModel($this->db, $this->tablename);
        $item->deleteById($this->db, $f3->get('PARAMS.id'));
    }


    function viewed($f3)
    {
        //increment viewed
        $item = new ItemModel($this->db, $this->tablename);
        $item->incrementById($f3, 'viewed');
        echo "1";
    }


    function shared($f3)
    {
        //increment shared
        $item = new ItemModel($this->db, $this->tablename);
        $item->incrementById($f3, 'shared');
        echo "1";
    }
    

    function favorited($f3)
    {
        //increment favorited
        $item = new ItemModel($this->db, $this->tablename);
        $item->incrementById($f3, 'favorited');
        echo "1";
    }
}
 

quero colocar o resultado que é places em ordem alfabética mas não consigo.

Compartilhar este post


Link para o post
Compartilhar em outros sites

  • Conteúdo Similar

    • Por violin101
      Caros amigos, saudações.
       
      Por favor, me permita tirar uma dúvida com os amigos.

      Tenho um Formulário onde o Usuário digita todos os Dados necessários.

      Minha dúvida:
      --> como faço após o usuário digitar os dados e salvar, o Sistema chamar uma Modal ou mensagem perguntando se deseja imprimir agora ?

      Grato,
       
      Cesar
    • Por Carcleo
      Tenho uma abela de usuarios e uma tabela de administradores e clientes.
      Gostaria de uma ajuda para implementar um cadastro
       
      users -> name, login, passord (pronta) admins -> user_id, registratiom, etc.. client -> user_id, registratiom, etc...
      Queria ajuda para extender de user as classes Admin e Client
      Olhem como estáAdmin
      <?php namespace App\Models; use Illuminate\Database\Eloquent\Factories\HasFactory; use Illuminate\Database\Eloquent\Model; class Admin extends User {     use HasFactory;            protected $fillable = [         'name',         'email',         'password',         'registration'     ];      private string $registration;     public function create(         string $name,          string $email,          string $password,         string $registration     )     {         //parent::create(['name'=>$name, 'email'=>$email, 'password'=>$password]);         parent::$name = $name;         parent::$email = $email;         parent::$password = $password;         $this->registration = $registration;     } } User
      <?php namespace App\Models; // use Illuminate\Contracts\Auth\MustVerifyEmail; use Illuminate\Database\Eloquent\Factories\HasFactory; use Illuminate\Foundation\Auth\User as Authenticatable; use Illuminate\Notifications\Notifiable; use Illuminate\Database\Eloquent\Relations\BelongsToMany; class User extends Authenticatable {     /** @use HasFactory<\Database\Factories\UserFactory> */     use HasFactory, Notifiable;     static string $name;     static string $email;     static string $password;     /**      * The attributes that are mass assignable.      *      * @var list<string>      */     protected $fillable = [         'name',         'email',         'password',     ];          /**      * The attributes that should be hidden for serialization.      *      * @var list<string>      */     protected $hidden = [         'remember_token',     ];     /**      * Get the attributes that should be cast.      *      * @return array<string, string>      */     protected function casts(): array     {         return [             'email_verified_at' => 'datetime',             'password' => 'hashed',         ];     }          public function roles() : BelongsToMany {         return $this->belongsToMany(Role::class);     }       public function hasHole(Array $roleName): bool     {                 foreach ($this->roles as $role) {             if ($role->name === $roleName) {                 return true;             }         }         return false;     }         public function hasHoles(Array $rolesName): bool     {                 foreach ($this->roles as $role) {             foreach ($rolesName as $rolee) {             if ($role->name === $rolee) {                 return true;             }          }         }         return false;     }         public function hasAbility(string $ability): bool     {         foreach ($this->roles as $role) {             if ($role->abilities->contains('name', $ability)) {                 return true;             }         }         return false;     }     } Como gravar um Admin na tabela admins sendo que ele é um User por extensão?
      Tentei assim mas é claro que está errado...
      public function store(Request $request, Admin $adminModel) {         $dados = $request->validate([             "name" => "required",             "email" => "required|email",             "password" => "required",             "registration" => "required"         ]);         $dados["password"] =  Hash::make($dados["password"]);                  $admin = Admin::where("registration",  $dados["registration"])->first();                  if ($admin)              return                    redirect()->route("admin.new")                             ->withErrors([                                 'fail' => 'Administrador já cadastrados<br>, favor verificar!'                   ]);                            $newAdmin = $adminModel->create(                                    $dados['name'],                                    $dados['email'],                                    $dados['password'],                                    $dados['registration']                                 );         dd($newAdmin);         $adminModel->save();         //$adminModel::create($admin);                  return redirect()->route("admin.new")->with("success",'Cadastrado com sucesso');     }  
    • Por violin101
      Caros amigos, saudações.
       
      Gostaria de tirar uma dúvida com os amigos, referente a PDV.
       
      Estou escrevendo um Sistema com Ponto de Vendas, a minha dúvida é o seguinte, referente ao procedimento mais correto.

      Conforme o caixa vai efetuando a venda, o Sistema de PDV já realiza:
      a baixa direto dos produtos no estoque
      ou
      somente após concretizar a venda o sistema baixa os produtos do estoque ?
       
      Grato,
       
      Cesar
       
    • Por violin101
      Caros amigos do grupo, saudações e um feliz 2025.
       
      Estou com uma pequena dúvida referente a Teclas de Atalho.

      Quando o Caps Lock está ativado o Comando da Tecla de Atalho não funciona.
      ou seja:
      se estiver para letra minúscula ====> funciona
      se estiver para letra maiúscula ====> não funciona
       
      Como consigo evitar essa falha, tanto para Letra Maiúscula quanto Minúscula ?

      o Código está assim:
      document.addEventListener( 'keydown', evt => { if (!evt.ctrlKey || evt.key !== 'r' ) return;// Não é Ctrl+r, portanto interrompemos o script evt.preventDefault(); });  
      Grato,
       
      Cesar
    • Por violin101
      Caros amigos, saudações.
       
      Por favor, poderiam me ajudar.

      Estou com a seguinte dúvida:
      --> como faço para para implementar o input código do produto, para quando o usuário digitar o ID o sistema espera de 1s a 2s, sem ter que pressionar a tecla ENTER.

      exemplo:
      código   ----   descrição
           1       -----   produto_A
       
      Grato,
       
      Cesar
×

Informação importante

Ao usar o fórum, você concorda com nossos Termos e condições.