Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

[+] Added 21 lesson task #30

Open
wants to merge 1 commit into
base: main
Choose a base branch
from
Open

[+] Added 21 lesson task #30

wants to merge 1 commit into from

Conversation

svowl
Copy link
Owner

@svowl svowl commented Dec 24, 2020

За основу взята полная схема из задания №20, но интерфейс реализует только операции с фильмами (если я правильно понял, остальные таблицы не задействованы).
Для загрузки тестового SQL-дампа написал функцию loadSQL, которая вообще говоря не нужна в пакете, но немного облегчает тестирование.
Тест TestDb_films() последовательно тестирует функции AddFilms, UpdateFilm и DeleteFilm - мне так показалось логичнее и проще. Функция Films() тестируется отдельно.

Copy link

@DmitriyVTitov DmitriyVTitov left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Принято, но учтите замечание про объект БД.

Comment on lines +19 to +20
// IFilms это интерфейс для работы с фильмами
type IFilms interface {

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

не, неудачно.
films.IFFilms - не звучит.
films.Interface - универсальное решение, если ничего не приходит на ум. Встречается даже в стандартной библиотеке.

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

И, кстати, чаще употребляется movie.

Comment on lines +25 to +26
// connect возвращает контекст и соединение к БД
func (pg *Pg) connect() (context.Context, *pgxpool.Pool, error) {

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

не очень понимаю смысл параметра-контекста.
эта функция вызывается единожды и прерывать её вряд ли потребуется.
лишнее, на мой взгляд.

Comment on lines +32 to +33
return ctx, db, nil
}

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

и возвращаемый контекст не понятно куда можно применить. вряд ли эта функция может быть частью конвейера или типа того.

Comment on lines +41 to +45
ctx, db, err := pg.connect()
if err != nil {
return err
}
defer db.Close()

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

всё понятно.
так делать не надо. подключаться к БД следует однажды, и переиспользовать объект БД впоследствии.
PGX беден на документацию, и я не смог найти прямого указания, но это так.

рекомендации для databse/sql - PGX работает и через него тоже:

Although it’s idiomatic to Close() the database when you’re finished with it, the sql.DB object is designed to be long-lived. Don’t Open() and Close() databases frequently. Instead, create one sql.DB object for each distinct datastore you need to access, and keep it until the program is done accessing that datastore. Pass it around as needed, or make it available somehow globally, but keep it open. And don’t Open() and Close() from a short-lived function. Instead, pass the sql.DB into that short-lived function as an argument.

http://go-database-sql.org/accessing.html

Copy link
Owner Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

да, я об этом думал, когда делал отдельный метод для получения коннекта, но подумал, что это может быть признано ошибкой, т.к. в лекции говорилось, что соединения с БД не бесконечны и их надо закрывать.
Тут зависит от того, как пакет предполагается использовать. В принципе, да, можно было бы сохранять соединение и переоткрывать по истечении некоторого времени, чтобы не держать его слишком долго.

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Всё не так ) Вспоминайте лекцию - я несколько раз повторил, что это не соединение! Это - пул соединений, но лучше думать об этом объекте как о БД.
Соединения открываются и закрываются во время выполнения запросов. Методом Acquire(). Так что тут вы закрываете саму БД, или типа того.

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Вручную надо закрывать только batch. При использовании database/sql ещё и prepared statement.
Пул закрывать не надо.
Поэтому я и говорил, что предпочитаю думать об этом объекте как о БД как таковой.

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

И да, Acquire() и Close() при выполнении запросов вызываются под капотом. Так, для ясности.

Comment on lines +100 to +104
ctx, db, err := pg.connect()
if err != nil {
return err
}
defer db.Close()

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

короче, вот этот блок лишний везде

Comment on lines +149 to +161
if studioID > 0 {
rows, err = db.Query(ctx, `
SELECT id, title, year, profit, pgrating, studio_id
FROM films
WHERE studio_id = $1`,
studioID,
)
} else {
rows, err = db.Query(ctx, `
SELECT id, title, year, profit, pgrating, studio_id
FROM films`,
)
}

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

ага, я ждал один запрос
типа WHERE $1 = 0 OR studio_id = $1
но это не очевидно, конечно, хотя и ощутимо лучше

Comment on lines +33 to +36
if err := testdb.loadSQL(string(file)); err != nil {
fmt.Println(err.Error())
os.Exit(1)
}

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

функцию loadSQL логичней было бы отнести к тестовому файлу


func TestDb_films(t *testing.T) {
// Добавляем фильм
addFilms := []films.Film{

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

movies (или films), но никак не глагол


// Изменяем название фильма и проверяем есть ли изменения
updFilm := addFilms[0]
updFilm.Title = "Pulp Fiction 2"

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

лучше вынести в константы

Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment
Labels
None yet
Projects
None yet
Development

Successfully merging this pull request may close these issues.

2 participants