인터넷의 대중화와 사람들의 영화에 대한 사랑으로 인해 영화 웹사이트는 대중적인 웹사이트 유형이 되었습니다. 영화 웹사이트를 만들려면 좋은 프레임워크가 매우 필요합니다. Yii 프레임워크는 사용하기 쉽고 성능이 뛰어난 고성능 PHP 프레임워크입니다. 이번 글에서는 Yii 프레임워크를 사용하여 영화 웹사이트를 만드는 방법을 살펴보겠습니다.
Yii 프레임워크를 사용하기 전에 먼저 프레임워크를 설치해야 합니다. Yii 프레임워크를 설치하는 것은 매우 간단합니다. 터미널에서 다음 명령을 실행하기만 하면 됩니다.
composer create-project yiisoft/yii2-app-basic
이 명령은 현재 디렉터리에 기본 Yii2 애플리케이션을 생성합니다. 이제 영화 웹사이트 제작을 시작할 준비가 되었습니다.
Yii 프레임워크는 데이터베이스 작업을 쉽게 만드는 방법인 ActiveRecord를 제공합니다. 이번 예시에서는 영화 ID, 제목, 감독, 배우, 연도, 장르, 평점 등의 정보가 포함된 영화라는 데이터 테이블을 생성하겠습니다. 테이블을 생성하려면 터미널의 애플리케이션 루트 디렉터리로 이동하여 다음 명령을 실행합니다.
php yii migrate/create create_movies_table
그런 다음 생성된 마이그레이션 파일을 다음 내용으로 편집합니다.
<?php use yiidbMigration; /** * Handles the creation of table `{{%movies}}`. */ class m210630_050401_create_movies_table extends Migration { /** * {@inheritdoc} */ public function safeUp() { $this->createTable('{{%movies}}', [ 'id' => $this->primaryKey(), 'title' => $this->string()->notNull(), 'director' => $this->string()->notNull(), 'actors' => $this->text()->notNull(), 'year' => $this->integer()->notNull(), 'genre' => $this->string()->notNull(), 'rating' => $this->decimal(3,1)->notNull(), ]); } /** * {@inheritdoc} */ public function safeDown() { $this->dropTable('{{%movies}}'); } }
이제 마이그레이션을 실행하여 영화 데이터 테이블을 생성합니다.
php yii migrate
Yii 프레임워크에서는 ActiveRecord를 사용하여 데이터 테이블의 모델을 정의하는 것이 매우 쉽습니다. 모델 디렉터리에 Movie라는 모델을 생성하고 모델 정의에 테이블 이름과 필드 이름을 지정할 수 있습니다.
<?php namespace appmodels; use yiidbActiveRecord; class Movie extends ActiveRecord { /** * {@inheritdoc} */ public static function tableName() { return '{{%movies}}'; } /** * {@inheritdoc} */ public function rules() { return [ [['title', 'director', 'actors', 'year', 'genre', 'rating'], 'required'], [['year'], 'integer'], [['rating'], 'number'], [['actors'], 'string'], [['title', 'director', 'genre'], 'string', 'max' => 255], ]; } /** * {@inheritdoc} */ public function attributeLabels() { return [ 'id' => 'ID', 'title' => 'Title', 'director' => 'Director', 'actors' => 'Actors', 'year' => 'Year', 'genre' => 'Genre', 'rating' => 'Rating' ]; } }
영화 컨트롤러는 영화 목록 추가, 편집, 삭제, 표시 요청 등 영화와 관련된 모든 요청을 처리합니다. 컨트롤러 디렉토리에 MovieController라는 컨트롤러를 생성하고 다음 코드를 추가할 수 있습니다:
<?php namespace appcontrollers; use Yii; use yiiwebController; use appmodelsMovie; class MovieController extends Controller { /** * Shows all movies. * * @return string */ public function actionIndex() { $movies = Movie::find()->all(); return $this->render('index', ['movies' => $movies]); } /** * Creates a new movie. * * @return string|yiiwebResponse */ public function actionCreate() { $model = new Movie(); if ($model->load(Yii::$app->request->post()) && $model->save()) { return $this->redirect(['index']); } return $this->render('create', [ 'model' => $model, ]); } /** * Updates an existing movie. * * @param integer $id * @return string|yiiwebResponse * @throws yiiwebNotFoundHttpException */ public function actionUpdate($id) { $model = $this->findModel($id); if ($model->load(Yii::$app->request->post()) && $model->save()) { return $this->redirect(['index']); } return $this->render('update', [ 'model' => $model, ]); } /** * Deletes an existing movie. * * @param integer $id * @return yiiwebResponse * @throws yiiwebNotFoundHttpException */ public function actionDelete($id) { $this->findModel($id)->delete(); return $this->redirect(['index']); } /** * Finds the Movie model based on its primary key value. * If the model is not found, a 404 HTTP exception will be thrown. * * @param integer $id * @return ppmodelsMovie * @throws NotFoundHttpException if the model cannot be found */ protected function findModel($id) { if (($model = Movie::findOne($id)) !== null) { return $model; } throw new NotFoundHttpException('The requested page does not exist.'); } }
그 중 actionIndex 메소드는 모든 영화 목록을 표시하고, actionCreate 및 actionUpdate 메소드는 영화를 생성 및 편집하는 데 사용되며, actionDelete 메소드는 영화를 삭제합니다.
다음으로 영화 목록 표시, 영화 추가, 영화 양식 편집을 위한 보기 파일을 만들어야 합니다. views/movie 디렉터리에 보기 파일을 저장합니다.
<?php use yiihelpersHtml; use yiigridGridView; /* @var $this yiiwebView */ /* @var $movies appmodelsMovie[] */ $this->title = 'Movies'; $this->params['breadcrumbs'][] = $this->title; ?> <h1><?= Html::encode($this->title) ?></h1> <p> <?= Html::a('Create Movie', ['create'], ['class' => 'btn btn-success']) ?> </p> <?= GridView::widget([ 'dataProvider' => new yiidataArrayDataProvider([ 'allModels' => $movies, 'sort' => [ 'attributes' => [ 'title', 'director', 'year', 'genre', 'rating', ], ], ]), 'columns' => [ ['class' => 'yiigridSerialColumn'], 'title', 'director', 'actors:ntext', 'year', 'genre', 'rating', ['class' => 'yiigridActionColumn'], ], ]); ?>
<?php use yiihelpersHtml; use yiiwidgetsActiveForm; /* @var $this yiiwebView */ /* @var $model appmodelsMovie */ $this->title = 'Create Movie'; $this->params['breadcrumbs'][] = ['label' => 'Movies', 'url' => ['index']]; $this->params['breadcrumbs'][] = $this->title; ?> <h1><?= Html::encode($this->title) ?></h1> <div class="movie-form"> <?php $form = ActiveForm::begin(); ?> <?= $form->field($model, 'title')->textInput(['maxlength' => true]) ?> <?= $form->field($model, 'director')->textInput(['maxlength' => true]) ?> <?= $form->field($model, 'actors')->textarea(['rows' => 6]) ?> <?= $form->field($model, 'year')->textInput() ?> <?= $form->field($model, 'genre')->textInput(['maxlength' => true]) ?> <?= $form->field($model, 'rating')->textInput() ?> <div class="form-group"> <?= Html::submitButton('Save', ['class' => 'btn btn-success']) ?> </div> <?php ActiveForm::end(); ?> </div>
<?php use yiihelpersHtml; use yiiwidgetsActiveForm; /* @var $this yiiwebView */ /* @var $model appmodelsMovie */ $this->title = 'Update Movie: ' . $model->title; $this->params['breadcrumbs'][] = ['label' => 'Movies', 'url' => ['index']]; $this->params['breadcrumbs'][] = ['label' => $model->title, 'url' => ['view', 'id' => $model->id]]; $this->params['breadcrumbs'][] = 'Update'; ?> <h1><?= Html::encode($this->title) ?></h1> <div class="movie-form"> <?php $form = ActiveForm::begin(); ?> <?= $form->field($model, 'title')->textInput(['maxlength' => true]) ?> <?= $form->field($model, 'director')->textInput(['maxlength' => true]) ?> <?= $form->field($model, 'actors')->textarea(['rows' => 6]) ?> <?= $form->field($model, 'year')->textInput() ?> <?= $form->field($model, 'genre')->textInput(['maxlength' => true]) ?> <?= $form->field($model, 'rating')->textInput() ?> <div class="form-group"> <?= Html::submitButton('Save', ['class' => 'btn btn-primary']) ?> </div> <?php ActiveForm::end(); ?> </div>
이제 Yii 프레임워크 영화 웹사이트 생성이 완료되었으며 모든 코드가 준비되었습니다. 영화 웹사이트를 로컬에서 실행하려면 터미널의 애플리케이션 루트 디렉터리로 이동하여 다음 명령을 실행하세요.
php yii serve
이렇게 하면 로컬 웹 서버가 시작되고 포트 8000에서 애플리케이션이 실행됩니다. 이제 브라우저에서 http://localhost:8000/을 열고 영화 웹사이트를 볼 수 있습니다.
이 기사에서는 Yii 프레임워크를 사용하여 영화 웹사이트를 만드는 방법을 시연했습니다. Yii 프레임워크를 사용하면 개발 속도가 빨라지고 ActiveRecord, MVC 아키텍처, 양식 유효성 검사, 보안 등과 같은 많은 유용한 기능이 제공됩니다. Yii 프레임워크에 대해 자세히 알아보려면 해당 문서를 확인하세요.
위 내용은 Yii 프레임워크를 사용하여 영화 웹사이트 만들기의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!