mirror of
https://github.com/bookwyrm-social/bookwyrm.git
synced 2025-02-18 03:55:19 +00:00
Merge branch 'main' into report-actions
This commit is contained in:
commit
a166af9990
88 changed files with 15768 additions and 326 deletions
50
.github/workflows/mypy.yml
vendored
Normal file
50
.github/workflows/mypy.yml
vendored
Normal file
|
@ -0,0 +1,50 @@
|
||||||
|
name: Mypy
|
||||||
|
|
||||||
|
on:
|
||||||
|
push:
|
||||||
|
branches: [ main ]
|
||||||
|
pull_request:
|
||||||
|
branches: [ main ]
|
||||||
|
|
||||||
|
jobs:
|
||||||
|
build:
|
||||||
|
|
||||||
|
runs-on: ubuntu-latest
|
||||||
|
|
||||||
|
steps:
|
||||||
|
- uses: actions/checkout@v3
|
||||||
|
- name: Set up Python 3.9
|
||||||
|
uses: actions/setup-python@v4
|
||||||
|
with:
|
||||||
|
python-version: 3.9
|
||||||
|
- name: Install Dependencies
|
||||||
|
run: |
|
||||||
|
python -m pip install --upgrade pip
|
||||||
|
pip install -r requirements.txt
|
||||||
|
- name: Analysing the code with mypy
|
||||||
|
env:
|
||||||
|
SECRET_KEY: beepbeep
|
||||||
|
DEBUG: false
|
||||||
|
USE_HTTPS: true
|
||||||
|
DOMAIN: your.domain.here
|
||||||
|
BOOKWYRM_DATABASE_BACKEND: postgres
|
||||||
|
MEDIA_ROOT: images/
|
||||||
|
POSTGRES_PASSWORD: hunter2
|
||||||
|
POSTGRES_USER: postgres
|
||||||
|
POSTGRES_DB: github_actions
|
||||||
|
POSTGRES_HOST: 127.0.0.1
|
||||||
|
CELERY_BROKER: ""
|
||||||
|
REDIS_BROKER_PORT: 6379
|
||||||
|
REDIS_BROKER_PASSWORD: beep
|
||||||
|
USE_DUMMY_CACHE: true
|
||||||
|
FLOWER_PORT: 8888
|
||||||
|
EMAIL_HOST: "smtp.mailgun.org"
|
||||||
|
EMAIL_PORT: 587
|
||||||
|
EMAIL_HOST_USER: ""
|
||||||
|
EMAIL_HOST_PASSWORD: ""
|
||||||
|
EMAIL_USE_TLS: true
|
||||||
|
ENABLE_PREVIEW_IMAGES: false
|
||||||
|
ENABLE_THUMBNAIL_GENERATION: true
|
||||||
|
HTTP_X_FORWARDED_PROTO: false
|
||||||
|
run: |
|
||||||
|
mypy bookwyrm celerywyrm
|
|
@ -2,6 +2,8 @@
|
||||||
from dataclasses import dataclass, fields, MISSING
|
from dataclasses import dataclass, fields, MISSING
|
||||||
from json import JSONEncoder
|
from json import JSONEncoder
|
||||||
import logging
|
import logging
|
||||||
|
from typing import Optional, Union, TypeVar, overload, Any
|
||||||
|
|
||||||
import requests
|
import requests
|
||||||
|
|
||||||
from django.apps import apps
|
from django.apps import apps
|
||||||
|
@ -10,12 +12,15 @@ from django.utils.http import http_date
|
||||||
|
|
||||||
from bookwyrm import models
|
from bookwyrm import models
|
||||||
from bookwyrm.connectors import ConnectorException, get_data
|
from bookwyrm.connectors import ConnectorException, get_data
|
||||||
|
from bookwyrm.models import base_model
|
||||||
from bookwyrm.signatures import make_signature
|
from bookwyrm.signatures import make_signature
|
||||||
from bookwyrm.settings import DOMAIN, INSTANCE_ACTOR_USERNAME
|
from bookwyrm.settings import DOMAIN, INSTANCE_ACTOR_USERNAME
|
||||||
from bookwyrm.tasks import app, MEDIUM
|
from bookwyrm.tasks import app, MISC
|
||||||
|
|
||||||
logger = logging.getLogger(__name__)
|
logger = logging.getLogger(__name__)
|
||||||
|
|
||||||
|
TBookWyrmModel = TypeVar("TBookWyrmModel", bound=base_model.BookWyrmModel)
|
||||||
|
|
||||||
|
|
||||||
class ActivitySerializerError(ValueError):
|
class ActivitySerializerError(ValueError):
|
||||||
"""routine problems serializing activitypub json"""
|
"""routine problems serializing activitypub json"""
|
||||||
|
@ -65,7 +70,11 @@ class ActivityObject:
|
||||||
id: str
|
id: str
|
||||||
type: str
|
type: str
|
||||||
|
|
||||||
def __init__(self, activity_objects=None, **kwargs):
|
def __init__(
|
||||||
|
self,
|
||||||
|
activity_objects: Optional[list[str, base_model.BookWyrmModel]] = None,
|
||||||
|
**kwargs: dict[str, Any],
|
||||||
|
):
|
||||||
"""this lets you pass in an object with fields that aren't in the
|
"""this lets you pass in an object with fields that aren't in the
|
||||||
dataclass, which it ignores. Any field in the dataclass is required or
|
dataclass, which it ignores. Any field in the dataclass is required or
|
||||||
has a default value"""
|
has a default value"""
|
||||||
|
@ -101,13 +110,13 @@ class ActivityObject:
|
||||||
# pylint: disable=too-many-locals,too-many-branches,too-many-arguments
|
# pylint: disable=too-many-locals,too-many-branches,too-many-arguments
|
||||||
def to_model(
|
def to_model(
|
||||||
self,
|
self,
|
||||||
model=None,
|
model: Optional[type[TBookWyrmModel]] = None,
|
||||||
instance=None,
|
instance: Optional[TBookWyrmModel] = None,
|
||||||
allow_create=True,
|
allow_create: bool = True,
|
||||||
save=True,
|
save: bool = True,
|
||||||
overwrite=True,
|
overwrite: bool = True,
|
||||||
allow_external_connections=True,
|
allow_external_connections: bool = True,
|
||||||
):
|
) -> Optional[TBookWyrmModel]:
|
||||||
"""convert from an activity to a model instance. Args:
|
"""convert from an activity to a model instance. Args:
|
||||||
model: the django model that this object is being converted to
|
model: the django model that this object is being converted to
|
||||||
(will guess if not known)
|
(will guess if not known)
|
||||||
|
@ -241,7 +250,7 @@ class ActivityObject:
|
||||||
return data
|
return data
|
||||||
|
|
||||||
|
|
||||||
@app.task(queue=MEDIUM)
|
@app.task(queue=MISC)
|
||||||
@transaction.atomic
|
@transaction.atomic
|
||||||
def set_related_field(
|
def set_related_field(
|
||||||
model_name, origin_model_name, related_field_name, related_remote_id, data
|
model_name, origin_model_name, related_field_name, related_remote_id, data
|
||||||
|
@ -296,14 +305,40 @@ def get_model_from_type(activity_type):
|
||||||
|
|
||||||
|
|
||||||
# pylint: disable=too-many-arguments
|
# pylint: disable=too-many-arguments
|
||||||
|
@overload
|
||||||
def resolve_remote_id(
|
def resolve_remote_id(
|
||||||
remote_id,
|
remote_id: str,
|
||||||
model=None,
|
model: type[TBookWyrmModel],
|
||||||
refresh=False,
|
refresh: bool = False,
|
||||||
save=True,
|
save: bool = True,
|
||||||
get_activity=False,
|
get_activity: bool = False,
|
||||||
allow_external_connections=True,
|
allow_external_connections: bool = True,
|
||||||
):
|
) -> TBookWyrmModel:
|
||||||
|
...
|
||||||
|
|
||||||
|
|
||||||
|
# pylint: disable=too-many-arguments
|
||||||
|
@overload
|
||||||
|
def resolve_remote_id(
|
||||||
|
remote_id: str,
|
||||||
|
model: Optional[str] = None,
|
||||||
|
refresh: bool = False,
|
||||||
|
save: bool = True,
|
||||||
|
get_activity: bool = False,
|
||||||
|
allow_external_connections: bool = True,
|
||||||
|
) -> base_model.BookWyrmModel:
|
||||||
|
...
|
||||||
|
|
||||||
|
|
||||||
|
# pylint: disable=too-many-arguments
|
||||||
|
def resolve_remote_id(
|
||||||
|
remote_id: str,
|
||||||
|
model: Optional[Union[str, type[base_model.BookWyrmModel]]] = None,
|
||||||
|
refresh: bool = False,
|
||||||
|
save: bool = True,
|
||||||
|
get_activity: bool = False,
|
||||||
|
allow_external_connections: bool = True,
|
||||||
|
) -> base_model.BookWyrmModel:
|
||||||
"""take a remote_id and return an instance, creating if necessary. Args:
|
"""take a remote_id and return an instance, creating if necessary. Args:
|
||||||
remote_id: the unique url for looking up the object in the db or by http
|
remote_id: the unique url for looking up the object in the db or by http
|
||||||
model: a string or object representing the model that corresponds to the object
|
model: a string or object representing the model that corresponds to the object
|
||||||
|
|
|
@ -1,6 +1,6 @@
|
||||||
""" book and author data """
|
""" book and author data """
|
||||||
from dataclasses import dataclass, field
|
from dataclasses import dataclass, field
|
||||||
from typing import List
|
from typing import Optional
|
||||||
|
|
||||||
from .base_activity import ActivityObject
|
from .base_activity import ActivityObject
|
||||||
from .image import Document
|
from .image import Document
|
||||||
|
@ -11,19 +11,19 @@ from .image import Document
|
||||||
class BookData(ActivityObject):
|
class BookData(ActivityObject):
|
||||||
"""shared fields for all book data and authors"""
|
"""shared fields for all book data and authors"""
|
||||||
|
|
||||||
openlibraryKey: str = None
|
openlibraryKey: Optional[str] = None
|
||||||
inventaireId: str = None
|
inventaireId: Optional[str] = None
|
||||||
librarythingKey: str = None
|
librarythingKey: Optional[str] = None
|
||||||
goodreadsKey: str = None
|
goodreadsKey: Optional[str] = None
|
||||||
bnfId: str = None
|
bnfId: Optional[str] = None
|
||||||
viaf: str = None
|
viaf: Optional[str] = None
|
||||||
wikidata: str = None
|
wikidata: Optional[str] = None
|
||||||
asin: str = None
|
asin: Optional[str] = None
|
||||||
aasin: str = None
|
aasin: Optional[str] = None
|
||||||
isfdb: str = None
|
isfdb: Optional[str] = None
|
||||||
lastEditedBy: str = None
|
lastEditedBy: Optional[str] = None
|
||||||
links: List[str] = field(default_factory=lambda: [])
|
links: list[str] = field(default_factory=list)
|
||||||
fileLinks: List[str] = field(default_factory=lambda: [])
|
fileLinks: list[str] = field(default_factory=list)
|
||||||
|
|
||||||
|
|
||||||
# pylint: disable=invalid-name
|
# pylint: disable=invalid-name
|
||||||
|
@ -35,17 +35,17 @@ class Book(BookData):
|
||||||
sortTitle: str = None
|
sortTitle: str = None
|
||||||
subtitle: str = None
|
subtitle: str = None
|
||||||
description: str = ""
|
description: str = ""
|
||||||
languages: List[str] = field(default_factory=lambda: [])
|
languages: list[str] = field(default_factory=list)
|
||||||
series: str = ""
|
series: str = ""
|
||||||
seriesNumber: str = ""
|
seriesNumber: str = ""
|
||||||
subjects: List[str] = field(default_factory=lambda: [])
|
subjects: list[str] = field(default_factory=list)
|
||||||
subjectPlaces: List[str] = field(default_factory=lambda: [])
|
subjectPlaces: list[str] = field(default_factory=list)
|
||||||
|
|
||||||
authors: List[str] = field(default_factory=lambda: [])
|
authors: list[str] = field(default_factory=list)
|
||||||
firstPublishedDate: str = ""
|
firstPublishedDate: str = ""
|
||||||
publishedDate: str = ""
|
publishedDate: str = ""
|
||||||
|
|
||||||
cover: Document = None
|
cover: Optional[Document] = None
|
||||||
type: str = "Book"
|
type: str = "Book"
|
||||||
|
|
||||||
|
|
||||||
|
@ -58,10 +58,10 @@ class Edition(Book):
|
||||||
isbn10: str = ""
|
isbn10: str = ""
|
||||||
isbn13: str = ""
|
isbn13: str = ""
|
||||||
oclcNumber: str = ""
|
oclcNumber: str = ""
|
||||||
pages: int = None
|
pages: Optional[int] = None
|
||||||
physicalFormat: str = ""
|
physicalFormat: str = ""
|
||||||
physicalFormatDetail: str = ""
|
physicalFormatDetail: str = ""
|
||||||
publishers: List[str] = field(default_factory=lambda: [])
|
publishers: list[str] = field(default_factory=list)
|
||||||
editionRank: int = 0
|
editionRank: int = 0
|
||||||
|
|
||||||
type: str = "Edition"
|
type: str = "Edition"
|
||||||
|
@ -73,7 +73,7 @@ class Work(Book):
|
||||||
"""work instance of a book object"""
|
"""work instance of a book object"""
|
||||||
|
|
||||||
lccn: str = ""
|
lccn: str = ""
|
||||||
editions: List[str] = field(default_factory=lambda: [])
|
editions: list[str] = field(default_factory=list)
|
||||||
type: str = "Work"
|
type: str = "Work"
|
||||||
|
|
||||||
|
|
||||||
|
@ -83,12 +83,12 @@ class Author(BookData):
|
||||||
"""author of a book"""
|
"""author of a book"""
|
||||||
|
|
||||||
name: str
|
name: str
|
||||||
isni: str = None
|
isni: Optional[str] = None
|
||||||
viafId: str = None
|
viafId: Optional[str] = None
|
||||||
gutenbergId: str = None
|
gutenbergId: Optional[str] = None
|
||||||
born: str = None
|
born: Optional[str] = None
|
||||||
died: str = None
|
died: Optional[str] = None
|
||||||
aliases: List[str] = field(default_factory=lambda: [])
|
aliases: list[str] = field(default_factory=list)
|
||||||
bio: str = ""
|
bio: str = ""
|
||||||
wikipediaLink: str = ""
|
wikipediaLink: str = ""
|
||||||
type: str = "Author"
|
type: str = "Author"
|
||||||
|
|
|
@ -8,7 +8,7 @@ from opentelemetry import trace
|
||||||
|
|
||||||
from bookwyrm import models
|
from bookwyrm import models
|
||||||
from bookwyrm.redis_store import RedisStore, r
|
from bookwyrm.redis_store import RedisStore, r
|
||||||
from bookwyrm.tasks import app, LOW, MEDIUM, HIGH
|
from bookwyrm.tasks import app, STREAMS, IMPORT_TRIGGERED
|
||||||
from bookwyrm.telemetry import open_telemetry
|
from bookwyrm.telemetry import open_telemetry
|
||||||
|
|
||||||
|
|
||||||
|
@ -329,10 +329,9 @@ def add_status_on_create(sender, instance, created, *args, **kwargs):
|
||||||
remove_status_task.delay(instance.id)
|
remove_status_task.delay(instance.id)
|
||||||
return
|
return
|
||||||
|
|
||||||
# To avoid creating a zillion unnecessary tasks caused by re-saving the model,
|
# We don't want to create multiple add_status_tasks for each status, and because
|
||||||
# check if it's actually ready to send before we go. We're trusting this was
|
# the transactions are atomic, on_commit won't run until the status is ready to add.
|
||||||
# set correctly by the inbox or view
|
if not created:
|
||||||
if not instance.ready:
|
|
||||||
return
|
return
|
||||||
|
|
||||||
# when creating new things, gotta wait on the transaction
|
# when creating new things, gotta wait on the transaction
|
||||||
|
@ -343,7 +342,11 @@ def add_status_on_create(sender, instance, created, *args, **kwargs):
|
||||||
|
|
||||||
def add_status_on_create_command(sender, instance, created):
|
def add_status_on_create_command(sender, instance, created):
|
||||||
"""runs this code only after the database commit completes"""
|
"""runs this code only after the database commit completes"""
|
||||||
priority = HIGH
|
# boosts trigger 'saves" twice, so don't bother duplicating the task
|
||||||
|
if sender == models.Boost and not created:
|
||||||
|
return
|
||||||
|
|
||||||
|
priority = STREAMS
|
||||||
# check if this is an old status, de-prioritize if so
|
# check if this is an old status, de-prioritize if so
|
||||||
# (this will happen if federation is very slow, or, more expectedly, on csv import)
|
# (this will happen if federation is very slow, or, more expectedly, on csv import)
|
||||||
if instance.published_date < timezone.now() - timedelta(
|
if instance.published_date < timezone.now() - timedelta(
|
||||||
|
@ -353,7 +356,7 @@ def add_status_on_create_command(sender, instance, created):
|
||||||
if instance.user.local:
|
if instance.user.local:
|
||||||
return
|
return
|
||||||
# an out of date remote status is a low priority but should be added
|
# an out of date remote status is a low priority but should be added
|
||||||
priority = LOW
|
priority = IMPORT_TRIGGERED
|
||||||
|
|
||||||
add_status_task.apply_async(
|
add_status_task.apply_async(
|
||||||
args=(instance.id,),
|
args=(instance.id,),
|
||||||
|
@ -497,7 +500,7 @@ def remove_statuses_on_unshelve(sender, instance, *args, **kwargs):
|
||||||
# ---- TASKS
|
# ---- TASKS
|
||||||
|
|
||||||
|
|
||||||
@app.task(queue=LOW)
|
@app.task(queue=STREAMS)
|
||||||
def add_book_statuses_task(user_id, book_id):
|
def add_book_statuses_task(user_id, book_id):
|
||||||
"""add statuses related to a book on shelve"""
|
"""add statuses related to a book on shelve"""
|
||||||
user = models.User.objects.get(id=user_id)
|
user = models.User.objects.get(id=user_id)
|
||||||
|
@ -505,7 +508,7 @@ def add_book_statuses_task(user_id, book_id):
|
||||||
BooksStream().add_book_statuses(user, book)
|
BooksStream().add_book_statuses(user, book)
|
||||||
|
|
||||||
|
|
||||||
@app.task(queue=LOW)
|
@app.task(queue=STREAMS)
|
||||||
def remove_book_statuses_task(user_id, book_id):
|
def remove_book_statuses_task(user_id, book_id):
|
||||||
"""remove statuses about a book from a user's books feed"""
|
"""remove statuses about a book from a user's books feed"""
|
||||||
user = models.User.objects.get(id=user_id)
|
user = models.User.objects.get(id=user_id)
|
||||||
|
@ -513,7 +516,7 @@ def remove_book_statuses_task(user_id, book_id):
|
||||||
BooksStream().remove_book_statuses(user, book)
|
BooksStream().remove_book_statuses(user, book)
|
||||||
|
|
||||||
|
|
||||||
@app.task(queue=MEDIUM)
|
@app.task(queue=STREAMS)
|
||||||
def populate_stream_task(stream, user_id):
|
def populate_stream_task(stream, user_id):
|
||||||
"""background task for populating an empty activitystream"""
|
"""background task for populating an empty activitystream"""
|
||||||
user = models.User.objects.get(id=user_id)
|
user = models.User.objects.get(id=user_id)
|
||||||
|
@ -521,7 +524,7 @@ def populate_stream_task(stream, user_id):
|
||||||
stream.populate_streams(user)
|
stream.populate_streams(user)
|
||||||
|
|
||||||
|
|
||||||
@app.task(queue=MEDIUM)
|
@app.task(queue=STREAMS)
|
||||||
def remove_status_task(status_ids):
|
def remove_status_task(status_ids):
|
||||||
"""remove a status from any stream it might be in"""
|
"""remove a status from any stream it might be in"""
|
||||||
# this can take an id or a list of ids
|
# this can take an id or a list of ids
|
||||||
|
@ -536,7 +539,7 @@ def remove_status_task(status_ids):
|
||||||
)
|
)
|
||||||
|
|
||||||
|
|
||||||
@app.task(queue=HIGH)
|
@app.task(queue=STREAMS)
|
||||||
def add_status_task(status_id, increment_unread=False):
|
def add_status_task(status_id, increment_unread=False):
|
||||||
"""add a status to any stream it should be in"""
|
"""add a status to any stream it should be in"""
|
||||||
status = models.Status.objects.select_subclasses().get(id=status_id)
|
status = models.Status.objects.select_subclasses().get(id=status_id)
|
||||||
|
@ -548,7 +551,7 @@ def add_status_task(status_id, increment_unread=False):
|
||||||
stream.add_status(status, increment_unread=increment_unread)
|
stream.add_status(status, increment_unread=increment_unread)
|
||||||
|
|
||||||
|
|
||||||
@app.task(queue=MEDIUM)
|
@app.task(queue=STREAMS)
|
||||||
def remove_user_statuses_task(viewer_id, user_id, stream_list=None):
|
def remove_user_statuses_task(viewer_id, user_id, stream_list=None):
|
||||||
"""remove all statuses by a user from a viewer's stream"""
|
"""remove all statuses by a user from a viewer's stream"""
|
||||||
stream_list = [streams[s] for s in stream_list] if stream_list else streams.values()
|
stream_list = [streams[s] for s in stream_list] if stream_list else streams.values()
|
||||||
|
@ -558,7 +561,7 @@ def remove_user_statuses_task(viewer_id, user_id, stream_list=None):
|
||||||
stream.remove_user_statuses(viewer, user)
|
stream.remove_user_statuses(viewer, user)
|
||||||
|
|
||||||
|
|
||||||
@app.task(queue=MEDIUM)
|
@app.task(queue=STREAMS)
|
||||||
def add_user_statuses_task(viewer_id, user_id, stream_list=None):
|
def add_user_statuses_task(viewer_id, user_id, stream_list=None):
|
||||||
"""add all statuses by a user to a viewer's stream"""
|
"""add all statuses by a user to a viewer's stream"""
|
||||||
stream_list = [streams[s] for s in stream_list] if stream_list else streams.values()
|
stream_list = [streams[s] for s in stream_list] if stream_list else streams.values()
|
||||||
|
@ -568,7 +571,7 @@ def add_user_statuses_task(viewer_id, user_id, stream_list=None):
|
||||||
stream.add_user_statuses(viewer, user)
|
stream.add_user_statuses(viewer, user)
|
||||||
|
|
||||||
|
|
||||||
@app.task(queue=MEDIUM)
|
@app.task(queue=STREAMS)
|
||||||
def handle_boost_task(boost_id):
|
def handle_boost_task(boost_id):
|
||||||
"""remove the original post and other, earlier boosts"""
|
"""remove the original post and other, earlier boosts"""
|
||||||
instance = models.Status.objects.get(id=boost_id)
|
instance = models.Status.objects.get(id=boost_id)
|
||||||
|
|
|
@ -1,22 +1,53 @@
|
||||||
""" using a bookwyrm instance as a source of book data """
|
""" using a bookwyrm instance as a source of book data """
|
||||||
|
from __future__ import annotations
|
||||||
from dataclasses import asdict, dataclass
|
from dataclasses import asdict, dataclass
|
||||||
from functools import reduce
|
from functools import reduce
|
||||||
import operator
|
import operator
|
||||||
|
from typing import Optional, Union, Any, Literal, overload
|
||||||
|
|
||||||
from django.contrib.postgres.search import SearchRank, SearchQuery
|
from django.contrib.postgres.search import SearchRank, SearchQuery
|
||||||
from django.db.models import F, Q
|
from django.db.models import F, Q
|
||||||
|
from django.db.models.query import QuerySet
|
||||||
|
|
||||||
from bookwyrm import models
|
from bookwyrm import models
|
||||||
from bookwyrm import connectors
|
from bookwyrm import connectors
|
||||||
from bookwyrm.settings import MEDIA_FULL_URL
|
from bookwyrm.settings import MEDIA_FULL_URL
|
||||||
|
|
||||||
|
|
||||||
|
@overload
|
||||||
|
def search(
|
||||||
|
query: str,
|
||||||
|
*,
|
||||||
|
min_confidence: float = 0,
|
||||||
|
filters: Optional[list[Any]] = None,
|
||||||
|
return_first: Literal[False],
|
||||||
|
) -> QuerySet[models.Edition]:
|
||||||
|
...
|
||||||
|
|
||||||
|
|
||||||
|
@overload
|
||||||
|
def search(
|
||||||
|
query: str,
|
||||||
|
*,
|
||||||
|
min_confidence: float = 0,
|
||||||
|
filters: Optional[list[Any]] = None,
|
||||||
|
return_first: Literal[True],
|
||||||
|
) -> Optional[models.Edition]:
|
||||||
|
...
|
||||||
|
|
||||||
|
|
||||||
# pylint: disable=arguments-differ
|
# pylint: disable=arguments-differ
|
||||||
def search(query, min_confidence=0, filters=None, return_first=False):
|
def search(
|
||||||
|
query: str,
|
||||||
|
*,
|
||||||
|
min_confidence: float = 0,
|
||||||
|
filters: Optional[list[Any]] = None,
|
||||||
|
return_first: bool = False,
|
||||||
|
) -> Union[Optional[models.Edition], QuerySet[models.Edition]]:
|
||||||
"""search your local database"""
|
"""search your local database"""
|
||||||
filters = filters or []
|
filters = filters or []
|
||||||
if not query:
|
if not query:
|
||||||
return []
|
return None if return_first else []
|
||||||
query = query.strip()
|
query = query.strip()
|
||||||
|
|
||||||
results = None
|
results = None
|
||||||
|
@ -66,7 +97,9 @@ def format_search_result(search_result):
|
||||||
).json()
|
).json()
|
||||||
|
|
||||||
|
|
||||||
def search_identifiers(query, *filters, return_first=False):
|
def search_identifiers(
|
||||||
|
query, *filters, return_first=False
|
||||||
|
) -> Union[Optional[models.Edition], QuerySet[models.Edition]]:
|
||||||
"""tries remote_id, isbn; defined as dedupe fields on the model"""
|
"""tries remote_id, isbn; defined as dedupe fields on the model"""
|
||||||
if connectors.maybe_isbn(query):
|
if connectors.maybe_isbn(query):
|
||||||
# Oh did you think the 'S' in ISBN stood for 'standard'?
|
# Oh did you think the 'S' in ISBN stood for 'standard'?
|
||||||
|
@ -87,7 +120,9 @@ def search_identifiers(query, *filters, return_first=False):
|
||||||
return results
|
return results
|
||||||
|
|
||||||
|
|
||||||
def search_title_author(query, min_confidence, *filters, return_first=False):
|
def search_title_author(
|
||||||
|
query, min_confidence, *filters, return_first=False
|
||||||
|
) -> QuerySet[models.Edition]:
|
||||||
"""searches for title and author"""
|
"""searches for title and author"""
|
||||||
query = SearchQuery(query, config="simple") | SearchQuery(query, config="english")
|
query = SearchQuery(query, config="simple") | SearchQuery(query, config="english")
|
||||||
results = (
|
results = (
|
||||||
|
@ -122,11 +157,11 @@ class SearchResult:
|
||||||
title: str
|
title: str
|
||||||
key: str
|
key: str
|
||||||
connector: object
|
connector: object
|
||||||
view_link: str = None
|
view_link: Optional[str] = None
|
||||||
author: str = None
|
author: Optional[str] = None
|
||||||
year: str = None
|
year: Optional[str] = None
|
||||||
cover: str = None
|
cover: Optional[str] = None
|
||||||
confidence: int = 1
|
confidence: float = 1.0
|
||||||
|
|
||||||
def __repr__(self):
|
def __repr__(self):
|
||||||
# pylint: disable=consider-using-f-string
|
# pylint: disable=consider-using-f-string
|
||||||
|
|
|
@ -1,5 +1,7 @@
|
||||||
""" functionality outline for a book data connector """
|
""" functionality outline for a book data connector """
|
||||||
|
from __future__ import annotations
|
||||||
from abc import ABC, abstractmethod
|
from abc import ABC, abstractmethod
|
||||||
|
from typing import Optional, TypedDict, Any, Callable, Union, Iterator
|
||||||
from urllib.parse import quote_plus
|
from urllib.parse import quote_plus
|
||||||
import imghdr
|
import imghdr
|
||||||
import logging
|
import logging
|
||||||
|
@ -16,33 +18,38 @@ from bookwyrm import activitypub, models, settings
|
||||||
from bookwyrm.settings import USER_AGENT
|
from bookwyrm.settings import USER_AGENT
|
||||||
from .connector_manager import load_more_data, ConnectorException, raise_not_valid_url
|
from .connector_manager import load_more_data, ConnectorException, raise_not_valid_url
|
||||||
from .format_mappings import format_mappings
|
from .format_mappings import format_mappings
|
||||||
|
from ..book_search import SearchResult
|
||||||
|
|
||||||
logger = logging.getLogger(__name__)
|
logger = logging.getLogger(__name__)
|
||||||
|
|
||||||
|
JsonDict = dict[str, Any]
|
||||||
|
|
||||||
|
|
||||||
|
class ConnectorResults(TypedDict):
|
||||||
|
"""TypedDict for results returned by connector"""
|
||||||
|
|
||||||
|
connector: AbstractMinimalConnector
|
||||||
|
results: list[SearchResult]
|
||||||
|
|
||||||
|
|
||||||
class AbstractMinimalConnector(ABC):
|
class AbstractMinimalConnector(ABC):
|
||||||
"""just the bare bones, for other bookwyrm instances"""
|
"""just the bare bones, for other bookwyrm instances"""
|
||||||
|
|
||||||
def __init__(self, identifier):
|
def __init__(self, identifier: str):
|
||||||
# load connector settings
|
# load connector settings
|
||||||
info = models.Connector.objects.get(identifier=identifier)
|
info = models.Connector.objects.get(identifier=identifier)
|
||||||
self.connector = info
|
self.connector = info
|
||||||
|
|
||||||
# the things in the connector model to copy over
|
# the things in the connector model to copy over
|
||||||
self_fields = [
|
self.base_url = info.base_url
|
||||||
"base_url",
|
self.books_url = info.books_url
|
||||||
"books_url",
|
self.covers_url = info.covers_url
|
||||||
"covers_url",
|
self.search_url = info.search_url
|
||||||
"search_url",
|
self.isbn_search_url = info.isbn_search_url
|
||||||
"isbn_search_url",
|
self.name = info.name
|
||||||
"name",
|
self.identifier = info.identifier
|
||||||
"identifier",
|
|
||||||
]
|
|
||||||
for field in self_fields:
|
|
||||||
setattr(self, field, getattr(info, field))
|
|
||||||
|
|
||||||
def get_search_url(self, query):
|
def get_search_url(self, query: str) -> str:
|
||||||
"""format the query url"""
|
"""format the query url"""
|
||||||
# Check if the query resembles an ISBN
|
# Check if the query resembles an ISBN
|
||||||
if maybe_isbn(query) and self.isbn_search_url and self.isbn_search_url != "":
|
if maybe_isbn(query) and self.isbn_search_url and self.isbn_search_url != "":
|
||||||
|
@ -54,13 +61,21 @@ class AbstractMinimalConnector(ABC):
|
||||||
# searched as free text. This, instead, only searches isbn if it's isbn-y
|
# searched as free text. This, instead, only searches isbn if it's isbn-y
|
||||||
return f"{self.search_url}{quote_plus(query)}"
|
return f"{self.search_url}{quote_plus(query)}"
|
||||||
|
|
||||||
def process_search_response(self, query, data, min_confidence):
|
def process_search_response(
|
||||||
|
self, query: str, data: Any, min_confidence: float
|
||||||
|
) -> list[SearchResult]:
|
||||||
"""Format the search results based on the format of the query"""
|
"""Format the search results based on the format of the query"""
|
||||||
if maybe_isbn(query):
|
if maybe_isbn(query):
|
||||||
return list(self.parse_isbn_search_data(data))[:10]
|
return list(self.parse_isbn_search_data(data))[:10]
|
||||||
return list(self.parse_search_data(data, min_confidence))[:10]
|
return list(self.parse_search_data(data, min_confidence))[:10]
|
||||||
|
|
||||||
async def get_results(self, session, url, min_confidence, query):
|
async def get_results(
|
||||||
|
self,
|
||||||
|
session: aiohttp.ClientSession,
|
||||||
|
url: str,
|
||||||
|
min_confidence: float,
|
||||||
|
query: str,
|
||||||
|
) -> Optional[ConnectorResults]:
|
||||||
"""try this specific connector"""
|
"""try this specific connector"""
|
||||||
# pylint: disable=line-too-long
|
# pylint: disable=line-too-long
|
||||||
headers = {
|
headers = {
|
||||||
|
@ -74,55 +89,63 @@ class AbstractMinimalConnector(ABC):
|
||||||
async with session.get(url, headers=headers, params=params) as response:
|
async with session.get(url, headers=headers, params=params) as response:
|
||||||
if not response.ok:
|
if not response.ok:
|
||||||
logger.info("Unable to connect to %s: %s", url, response.reason)
|
logger.info("Unable to connect to %s: %s", url, response.reason)
|
||||||
return
|
return None
|
||||||
|
|
||||||
try:
|
try:
|
||||||
raw_data = await response.json()
|
raw_data = await response.json()
|
||||||
except aiohttp.client_exceptions.ContentTypeError as err:
|
except aiohttp.client_exceptions.ContentTypeError as err:
|
||||||
logger.exception(err)
|
logger.exception(err)
|
||||||
return
|
return None
|
||||||
|
|
||||||
return {
|
return ConnectorResults(
|
||||||
"connector": self,
|
connector=self,
|
||||||
"results": self.process_search_response(
|
results=self.process_search_response(
|
||||||
query, raw_data, min_confidence
|
query, raw_data, min_confidence
|
||||||
),
|
),
|
||||||
}
|
)
|
||||||
except asyncio.TimeoutError:
|
except asyncio.TimeoutError:
|
||||||
logger.info("Connection timed out for url: %s", url)
|
logger.info("Connection timed out for url: %s", url)
|
||||||
except aiohttp.ClientError as err:
|
except aiohttp.ClientError as err:
|
||||||
logger.info(err)
|
logger.info(err)
|
||||||
|
return None
|
||||||
|
|
||||||
@abstractmethod
|
@abstractmethod
|
||||||
def get_or_create_book(self, remote_id):
|
def get_or_create_book(self, remote_id: str) -> Optional[models.Book]:
|
||||||
"""pull up a book record by whatever means possible"""
|
"""pull up a book record by whatever means possible"""
|
||||||
|
|
||||||
@abstractmethod
|
@abstractmethod
|
||||||
def parse_search_data(self, data, min_confidence):
|
def parse_search_data(
|
||||||
|
self, data: Any, min_confidence: float
|
||||||
|
) -> Iterator[SearchResult]:
|
||||||
"""turn the result json from a search into a list"""
|
"""turn the result json from a search into a list"""
|
||||||
|
|
||||||
@abstractmethod
|
@abstractmethod
|
||||||
def parse_isbn_search_data(self, data):
|
def parse_isbn_search_data(self, data: Any) -> Iterator[SearchResult]:
|
||||||
"""turn the result json from a search into a list"""
|
"""turn the result json from a search into a list"""
|
||||||
|
|
||||||
|
|
||||||
class AbstractConnector(AbstractMinimalConnector):
|
class AbstractConnector(AbstractMinimalConnector):
|
||||||
"""generic book data connector"""
|
"""generic book data connector"""
|
||||||
|
|
||||||
def __init__(self, identifier):
|
generated_remote_link_field = ""
|
||||||
|
|
||||||
|
def __init__(self, identifier: str):
|
||||||
super().__init__(identifier)
|
super().__init__(identifier)
|
||||||
# fields we want to look for in book data to copy over
|
# fields we want to look for in book data to copy over
|
||||||
# title we handle separately.
|
# title we handle separately.
|
||||||
self.book_mappings = []
|
self.book_mappings: list[Mapping] = []
|
||||||
|
self.author_mappings: list[Mapping] = []
|
||||||
|
|
||||||
def get_or_create_book(self, remote_id):
|
def get_or_create_book(self, remote_id: str) -> Optional[models.Book]:
|
||||||
"""translate arbitrary json into an Activitypub dataclass"""
|
"""translate arbitrary json into an Activitypub dataclass"""
|
||||||
# first, check if we have the origin_id saved
|
# first, check if we have the origin_id saved
|
||||||
existing = models.Edition.find_existing_by_remote_id(
|
existing = models.Edition.find_existing_by_remote_id(
|
||||||
remote_id
|
remote_id
|
||||||
) or models.Work.find_existing_by_remote_id(remote_id)
|
) or models.Work.find_existing_by_remote_id(remote_id)
|
||||||
if existing:
|
if existing:
|
||||||
if hasattr(existing, "default_edition"):
|
if hasattr(existing, "default_edition") and isinstance(
|
||||||
|
existing.default_edition, models.Edition
|
||||||
|
):
|
||||||
return existing.default_edition
|
return existing.default_edition
|
||||||
return existing
|
return existing
|
||||||
|
|
||||||
|
@ -154,6 +177,9 @@ class AbstractConnector(AbstractMinimalConnector):
|
||||||
)
|
)
|
||||||
# this will dedupe automatically
|
# this will dedupe automatically
|
||||||
work = work_activity.to_model(model=models.Work, overwrite=False)
|
work = work_activity.to_model(model=models.Work, overwrite=False)
|
||||||
|
if not work:
|
||||||
|
return None
|
||||||
|
|
||||||
for author in self.get_authors_from_data(work_data):
|
for author in self.get_authors_from_data(work_data):
|
||||||
work.authors.add(author)
|
work.authors.add(author)
|
||||||
|
|
||||||
|
@ -161,12 +187,21 @@ class AbstractConnector(AbstractMinimalConnector):
|
||||||
load_more_data.delay(self.connector.id, work.id)
|
load_more_data.delay(self.connector.id, work.id)
|
||||||
return edition
|
return edition
|
||||||
|
|
||||||
def get_book_data(self, remote_id): # pylint: disable=no-self-use
|
def get_book_data(self, remote_id: str) -> JsonDict: # pylint: disable=no-self-use
|
||||||
"""this allows connectors to override the default behavior"""
|
"""this allows connectors to override the default behavior"""
|
||||||
return get_data(remote_id)
|
return get_data(remote_id)
|
||||||
|
|
||||||
def create_edition_from_data(self, work, edition_data, instance=None):
|
def create_edition_from_data(
|
||||||
|
self,
|
||||||
|
work: models.Work,
|
||||||
|
edition_data: Union[str, JsonDict],
|
||||||
|
instance: Optional[models.Edition] = None,
|
||||||
|
) -> Optional[models.Edition]:
|
||||||
"""if we already have the work, we're ready"""
|
"""if we already have the work, we're ready"""
|
||||||
|
if isinstance(edition_data, str):
|
||||||
|
# We don't expect a string here
|
||||||
|
return None
|
||||||
|
|
||||||
mapped_data = dict_from_mappings(edition_data, self.book_mappings)
|
mapped_data = dict_from_mappings(edition_data, self.book_mappings)
|
||||||
mapped_data["work"] = work.remote_id
|
mapped_data["work"] = work.remote_id
|
||||||
edition_activity = activitypub.Edition(**mapped_data)
|
edition_activity = activitypub.Edition(**mapped_data)
|
||||||
|
@ -174,6 +209,9 @@ class AbstractConnector(AbstractMinimalConnector):
|
||||||
model=models.Edition, overwrite=False, instance=instance
|
model=models.Edition, overwrite=False, instance=instance
|
||||||
)
|
)
|
||||||
|
|
||||||
|
if not edition:
|
||||||
|
return None
|
||||||
|
|
||||||
# if we're updating an existing instance, we don't need to load authors
|
# if we're updating an existing instance, we don't need to load authors
|
||||||
if instance:
|
if instance:
|
||||||
return edition
|
return edition
|
||||||
|
@ -190,7 +228,9 @@ class AbstractConnector(AbstractMinimalConnector):
|
||||||
|
|
||||||
return edition
|
return edition
|
||||||
|
|
||||||
def get_or_create_author(self, remote_id, instance=None):
|
def get_or_create_author(
|
||||||
|
self, remote_id: str, instance: Optional[models.Author] = None
|
||||||
|
) -> Optional[models.Author]:
|
||||||
"""load that author"""
|
"""load that author"""
|
||||||
if not instance:
|
if not instance:
|
||||||
existing = models.Author.find_existing_by_remote_id(remote_id)
|
existing = models.Author.find_existing_by_remote_id(remote_id)
|
||||||
|
@ -210,46 +250,51 @@ class AbstractConnector(AbstractMinimalConnector):
|
||||||
model=models.Author, overwrite=False, instance=instance
|
model=models.Author, overwrite=False, instance=instance
|
||||||
)
|
)
|
||||||
|
|
||||||
def get_remote_id_from_model(self, obj):
|
def get_remote_id_from_model(self, obj: models.BookDataModel) -> Optional[str]:
|
||||||
"""given the data stored, how can we look this up"""
|
"""given the data stored, how can we look this up"""
|
||||||
return getattr(obj, getattr(self, "generated_remote_link_field"))
|
remote_id: Optional[str] = getattr(obj, self.generated_remote_link_field)
|
||||||
|
return remote_id
|
||||||
|
|
||||||
def update_author_from_remote(self, obj):
|
def update_author_from_remote(self, obj: models.Author) -> Optional[models.Author]:
|
||||||
"""load the remote data from this connector and add it to an existing author"""
|
"""load the remote data from this connector and add it to an existing author"""
|
||||||
remote_id = self.get_remote_id_from_model(obj)
|
remote_id = self.get_remote_id_from_model(obj)
|
||||||
|
if not remote_id:
|
||||||
|
return None
|
||||||
return self.get_or_create_author(remote_id, instance=obj)
|
return self.get_or_create_author(remote_id, instance=obj)
|
||||||
|
|
||||||
def update_book_from_remote(self, obj):
|
def update_book_from_remote(self, obj: models.Edition) -> Optional[models.Edition]:
|
||||||
"""load the remote data from this connector and add it to an existing book"""
|
"""load the remote data from this connector and add it to an existing book"""
|
||||||
remote_id = self.get_remote_id_from_model(obj)
|
remote_id = self.get_remote_id_from_model(obj)
|
||||||
|
if not remote_id:
|
||||||
|
return None
|
||||||
data = self.get_book_data(remote_id)
|
data = self.get_book_data(remote_id)
|
||||||
return self.create_edition_from_data(obj.parent_work, data, instance=obj)
|
return self.create_edition_from_data(obj.parent_work, data, instance=obj)
|
||||||
|
|
||||||
@abstractmethod
|
@abstractmethod
|
||||||
def is_work_data(self, data):
|
def is_work_data(self, data: JsonDict) -> bool:
|
||||||
"""differentiate works and editions"""
|
"""differentiate works and editions"""
|
||||||
|
|
||||||
@abstractmethod
|
@abstractmethod
|
||||||
def get_edition_from_work_data(self, data):
|
def get_edition_from_work_data(self, data: JsonDict) -> JsonDict:
|
||||||
"""every work needs at least one edition"""
|
"""every work needs at least one edition"""
|
||||||
|
|
||||||
@abstractmethod
|
@abstractmethod
|
||||||
def get_work_from_edition_data(self, data):
|
def get_work_from_edition_data(self, data: JsonDict) -> JsonDict:
|
||||||
"""every edition needs a work"""
|
"""every edition needs a work"""
|
||||||
|
|
||||||
@abstractmethod
|
@abstractmethod
|
||||||
def get_authors_from_data(self, data):
|
def get_authors_from_data(self, data: JsonDict) -> Iterator[models.Author]:
|
||||||
"""load author data"""
|
"""load author data"""
|
||||||
|
|
||||||
@abstractmethod
|
@abstractmethod
|
||||||
def expand_book_data(self, book):
|
def expand_book_data(self, book: models.Book) -> None:
|
||||||
"""get more info on a book"""
|
"""get more info on a book"""
|
||||||
|
|
||||||
|
|
||||||
def dict_from_mappings(data, mappings):
|
def dict_from_mappings(data: JsonDict, mappings: list[Mapping]) -> JsonDict:
|
||||||
"""create a dict in Activitypub format, using mappings supplies by
|
"""create a dict in Activitypub format, using mappings supplies by
|
||||||
the subclass"""
|
the subclass"""
|
||||||
result = {}
|
result: JsonDict = {}
|
||||||
for mapping in mappings:
|
for mapping in mappings:
|
||||||
# sometimes there are multiple mappings for one field, don't
|
# sometimes there are multiple mappings for one field, don't
|
||||||
# overwrite earlier writes in that case
|
# overwrite earlier writes in that case
|
||||||
|
@ -259,7 +304,11 @@ def dict_from_mappings(data, mappings):
|
||||||
return result
|
return result
|
||||||
|
|
||||||
|
|
||||||
def get_data(url, params=None, timeout=settings.QUERY_TIMEOUT):
|
def get_data(
|
||||||
|
url: str,
|
||||||
|
params: Optional[dict[str, str]] = None,
|
||||||
|
timeout: int = settings.QUERY_TIMEOUT,
|
||||||
|
) -> JsonDict:
|
||||||
"""wrapper for request.get"""
|
"""wrapper for request.get"""
|
||||||
# check if the url is blocked
|
# check if the url is blocked
|
||||||
raise_not_valid_url(url)
|
raise_not_valid_url(url)
|
||||||
|
@ -292,10 +341,15 @@ def get_data(url, params=None, timeout=settings.QUERY_TIMEOUT):
|
||||||
logger.info(err)
|
logger.info(err)
|
||||||
raise ConnectorException(err)
|
raise ConnectorException(err)
|
||||||
|
|
||||||
|
if not isinstance(data, dict):
|
||||||
|
raise ConnectorException("Unexpected data format")
|
||||||
|
|
||||||
return data
|
return data
|
||||||
|
|
||||||
|
|
||||||
def get_image(url, timeout=10):
|
def get_image(
|
||||||
|
url: str, timeout: int = 10
|
||||||
|
) -> Union[tuple[ContentFile[bytes], str], tuple[None, None]]:
|
||||||
"""wrapper for requesting an image"""
|
"""wrapper for requesting an image"""
|
||||||
raise_not_valid_url(url)
|
raise_not_valid_url(url)
|
||||||
try:
|
try:
|
||||||
|
@ -325,14 +379,19 @@ def get_image(url, timeout=10):
|
||||||
class Mapping:
|
class Mapping:
|
||||||
"""associate a local database field with a field in an external dataset"""
|
"""associate a local database field with a field in an external dataset"""
|
||||||
|
|
||||||
def __init__(self, local_field, remote_field=None, formatter=None):
|
def __init__(
|
||||||
|
self,
|
||||||
|
local_field: str,
|
||||||
|
remote_field: Optional[str] = None,
|
||||||
|
formatter: Optional[Callable[[Any], Any]] = None,
|
||||||
|
):
|
||||||
noop = lambda x: x
|
noop = lambda x: x
|
||||||
|
|
||||||
self.local_field = local_field
|
self.local_field = local_field
|
||||||
self.remote_field = remote_field or local_field
|
self.remote_field = remote_field or local_field
|
||||||
self.formatter = formatter or noop
|
self.formatter = formatter or noop
|
||||||
|
|
||||||
def get_value(self, data):
|
def get_value(self, data: JsonDict) -> Optional[Any]:
|
||||||
"""pull a field from incoming json and return the formatted version"""
|
"""pull a field from incoming json and return the formatted version"""
|
||||||
value = data.get(self.remote_field)
|
value = data.get(self.remote_field)
|
||||||
if not value:
|
if not value:
|
||||||
|
@ -343,7 +402,7 @@ class Mapping:
|
||||||
return None
|
return None
|
||||||
|
|
||||||
|
|
||||||
def infer_physical_format(format_text):
|
def infer_physical_format(format_text: str) -> Optional[str]:
|
||||||
"""try to figure out what the standardized format is from the free value"""
|
"""try to figure out what the standardized format is from the free value"""
|
||||||
format_text = format_text.lower()
|
format_text = format_text.lower()
|
||||||
if format_text in format_mappings:
|
if format_text in format_mappings:
|
||||||
|
@ -356,7 +415,7 @@ def infer_physical_format(format_text):
|
||||||
return matches[0]
|
return matches[0]
|
||||||
|
|
||||||
|
|
||||||
def unique_physical_format(format_text):
|
def unique_physical_format(format_text: str) -> Optional[str]:
|
||||||
"""only store the format if it isn't directly in the format mappings"""
|
"""only store the format if it isn't directly in the format mappings"""
|
||||||
format_text = format_text.lower()
|
format_text = format_text.lower()
|
||||||
if format_text in format_mappings:
|
if format_text in format_mappings:
|
||||||
|
@ -365,7 +424,7 @@ def unique_physical_format(format_text):
|
||||||
return format_text
|
return format_text
|
||||||
|
|
||||||
|
|
||||||
def maybe_isbn(query):
|
def maybe_isbn(query: str) -> bool:
|
||||||
"""check if a query looks like an isbn"""
|
"""check if a query looks like an isbn"""
|
||||||
isbn = re.sub(r"[\W_]", "", query) # removes filler characters
|
isbn = re.sub(r"[\W_]", "", query) # removes filler characters
|
||||||
# ISBNs must be numeric except an ISBN10 checkdigit can be 'X'
|
# ISBNs must be numeric except an ISBN10 checkdigit can be 'X'
|
||||||
|
|
|
@ -1,4 +1,7 @@
|
||||||
""" using another bookwyrm instance as a source of book data """
|
""" using another bookwyrm instance as a source of book data """
|
||||||
|
from __future__ import annotations
|
||||||
|
from typing import Any, Iterator
|
||||||
|
|
||||||
from bookwyrm import activitypub, models
|
from bookwyrm import activitypub, models
|
||||||
from bookwyrm.book_search import SearchResult
|
from bookwyrm.book_search import SearchResult
|
||||||
from .abstract_connector import AbstractMinimalConnector
|
from .abstract_connector import AbstractMinimalConnector
|
||||||
|
@ -7,15 +10,19 @@ from .abstract_connector import AbstractMinimalConnector
|
||||||
class Connector(AbstractMinimalConnector):
|
class Connector(AbstractMinimalConnector):
|
||||||
"""this is basically just for search"""
|
"""this is basically just for search"""
|
||||||
|
|
||||||
def get_or_create_book(self, remote_id):
|
def get_or_create_book(self, remote_id: str) -> models.Edition:
|
||||||
return activitypub.resolve_remote_id(remote_id, model=models.Edition)
|
return activitypub.resolve_remote_id(remote_id, model=models.Edition)
|
||||||
|
|
||||||
def parse_search_data(self, data, min_confidence):
|
def parse_search_data(
|
||||||
|
self, data: list[dict[str, Any]], min_confidence: float
|
||||||
|
) -> Iterator[SearchResult]:
|
||||||
for search_result in data:
|
for search_result in data:
|
||||||
search_result["connector"] = self
|
search_result["connector"] = self
|
||||||
yield SearchResult(**search_result)
|
yield SearchResult(**search_result)
|
||||||
|
|
||||||
def parse_isbn_search_data(self, data):
|
def parse_isbn_search_data(
|
||||||
|
self, data: list[dict[str, Any]]
|
||||||
|
) -> Iterator[SearchResult]:
|
||||||
for search_result in data:
|
for search_result in data:
|
||||||
search_result["connector"] = self
|
search_result["connector"] = self
|
||||||
yield SearchResult(**search_result)
|
yield SearchResult(**search_result)
|
||||||
|
|
|
@ -1,8 +1,11 @@
|
||||||
""" interface with whatever connectors the app has """
|
""" interface with whatever connectors the app has """
|
||||||
|
from __future__ import annotations
|
||||||
import asyncio
|
import asyncio
|
||||||
import importlib
|
import importlib
|
||||||
import ipaddress
|
import ipaddress
|
||||||
import logging
|
import logging
|
||||||
|
from asyncio import Future
|
||||||
|
from typing import Iterator, Any, Optional, Union, overload, Literal
|
||||||
from urllib.parse import urlparse
|
from urllib.parse import urlparse
|
||||||
|
|
||||||
import aiohttp
|
import aiohttp
|
||||||
|
@ -12,8 +15,10 @@ from django.db.models import signals
|
||||||
from requests import HTTPError
|
from requests import HTTPError
|
||||||
|
|
||||||
from bookwyrm import book_search, models
|
from bookwyrm import book_search, models
|
||||||
|
from bookwyrm.book_search import SearchResult
|
||||||
|
from bookwyrm.connectors import abstract_connector
|
||||||
from bookwyrm.settings import SEARCH_TIMEOUT
|
from bookwyrm.settings import SEARCH_TIMEOUT
|
||||||
from bookwyrm.tasks import app, LOW
|
from bookwyrm.tasks import app, CONNECTORS
|
||||||
|
|
||||||
logger = logging.getLogger(__name__)
|
logger = logging.getLogger(__name__)
|
||||||
|
|
||||||
|
@ -22,11 +27,15 @@ class ConnectorException(HTTPError):
|
||||||
"""when the connector can't do what was asked"""
|
"""when the connector can't do what was asked"""
|
||||||
|
|
||||||
|
|
||||||
async def async_connector_search(query, items, min_confidence):
|
async def async_connector_search(
|
||||||
|
query: str,
|
||||||
|
items: list[tuple[str, abstract_connector.AbstractConnector]],
|
||||||
|
min_confidence: float,
|
||||||
|
) -> list[Optional[abstract_connector.ConnectorResults]]:
|
||||||
"""Try a number of requests simultaneously"""
|
"""Try a number of requests simultaneously"""
|
||||||
timeout = aiohttp.ClientTimeout(total=SEARCH_TIMEOUT)
|
timeout = aiohttp.ClientTimeout(total=SEARCH_TIMEOUT)
|
||||||
async with aiohttp.ClientSession(timeout=timeout) as session:
|
async with aiohttp.ClientSession(timeout=timeout) as session:
|
||||||
tasks = []
|
tasks: list[Future[Optional[abstract_connector.ConnectorResults]]] = []
|
||||||
for url, connector in items:
|
for url, connector in items:
|
||||||
tasks.append(
|
tasks.append(
|
||||||
asyncio.ensure_future(
|
asyncio.ensure_future(
|
||||||
|
@ -35,14 +44,29 @@ async def async_connector_search(query, items, min_confidence):
|
||||||
)
|
)
|
||||||
|
|
||||||
results = await asyncio.gather(*tasks)
|
results = await asyncio.gather(*tasks)
|
||||||
return results
|
return list(results)
|
||||||
|
|
||||||
|
|
||||||
def search(query, min_confidence=0.1, return_first=False):
|
@overload
|
||||||
|
def search(
|
||||||
|
query: str, *, min_confidence: float = 0.1, return_first: Literal[False]
|
||||||
|
) -> list[abstract_connector.ConnectorResults]:
|
||||||
|
...
|
||||||
|
|
||||||
|
|
||||||
|
@overload
|
||||||
|
def search(
|
||||||
|
query: str, *, min_confidence: float = 0.1, return_first: Literal[True]
|
||||||
|
) -> Optional[SearchResult]:
|
||||||
|
...
|
||||||
|
|
||||||
|
|
||||||
|
def search(
|
||||||
|
query: str, *, min_confidence: float = 0.1, return_first: bool = False
|
||||||
|
) -> Union[list[abstract_connector.ConnectorResults], Optional[SearchResult]]:
|
||||||
"""find books based on arbitrary keywords"""
|
"""find books based on arbitrary keywords"""
|
||||||
if not query:
|
if not query:
|
||||||
return []
|
return None if return_first else []
|
||||||
results = []
|
|
||||||
|
|
||||||
items = []
|
items = []
|
||||||
for connector in get_connectors():
|
for connector in get_connectors():
|
||||||
|
@ -57,8 +81,12 @@ def search(query, min_confidence=0.1, return_first=False):
|
||||||
items.append((url, connector))
|
items.append((url, connector))
|
||||||
|
|
||||||
# load as many results as we can
|
# load as many results as we can
|
||||||
results = asyncio.run(async_connector_search(query, items, min_confidence))
|
# failed requests will return None, so filter those out
|
||||||
results = [r for r in results if r]
|
results = [
|
||||||
|
r
|
||||||
|
for r in asyncio.run(async_connector_search(query, items, min_confidence))
|
||||||
|
if r
|
||||||
|
]
|
||||||
|
|
||||||
if return_first:
|
if return_first:
|
||||||
# find the best result from all the responses and return that
|
# find the best result from all the responses and return that
|
||||||
|
@ -66,11 +94,12 @@ def search(query, min_confidence=0.1, return_first=False):
|
||||||
all_results = sorted(all_results, key=lambda r: r.confidence, reverse=True)
|
all_results = sorted(all_results, key=lambda r: r.confidence, reverse=True)
|
||||||
return all_results[0] if all_results else None
|
return all_results[0] if all_results else None
|
||||||
|
|
||||||
# failed requests will return None, so filter those out
|
|
||||||
return results
|
return results
|
||||||
|
|
||||||
|
|
||||||
def first_search_result(query, min_confidence=0.1):
|
def first_search_result(
|
||||||
|
query: str, min_confidence: float = 0.1
|
||||||
|
) -> Union[models.Edition, SearchResult, None]:
|
||||||
"""search until you find a result that fits"""
|
"""search until you find a result that fits"""
|
||||||
# try local search first
|
# try local search first
|
||||||
result = book_search.search(query, min_confidence=min_confidence, return_first=True)
|
result = book_search.search(query, min_confidence=min_confidence, return_first=True)
|
||||||
|
@ -80,13 +109,13 @@ def first_search_result(query, min_confidence=0.1):
|
||||||
return search(query, min_confidence=min_confidence, return_first=True) or None
|
return search(query, min_confidence=min_confidence, return_first=True) or None
|
||||||
|
|
||||||
|
|
||||||
def get_connectors():
|
def get_connectors() -> Iterator[abstract_connector.AbstractConnector]:
|
||||||
"""load all connectors"""
|
"""load all connectors"""
|
||||||
for info in models.Connector.objects.filter(active=True).order_by("priority").all():
|
for info in models.Connector.objects.filter(active=True).order_by("priority").all():
|
||||||
yield load_connector(info)
|
yield load_connector(info)
|
||||||
|
|
||||||
|
|
||||||
def get_or_create_connector(remote_id):
|
def get_or_create_connector(remote_id: str) -> abstract_connector.AbstractConnector:
|
||||||
"""get the connector related to the object's server"""
|
"""get the connector related to the object's server"""
|
||||||
url = urlparse(remote_id)
|
url = urlparse(remote_id)
|
||||||
identifier = url.netloc
|
identifier = url.netloc
|
||||||
|
@ -109,8 +138,8 @@ def get_or_create_connector(remote_id):
|
||||||
return load_connector(connector_info)
|
return load_connector(connector_info)
|
||||||
|
|
||||||
|
|
||||||
@app.task(queue=LOW)
|
@app.task(queue=CONNECTORS)
|
||||||
def load_more_data(connector_id, book_id):
|
def load_more_data(connector_id: str, book_id: str) -> None:
|
||||||
"""background the work of getting all 10,000 editions of LoTR"""
|
"""background the work of getting all 10,000 editions of LoTR"""
|
||||||
connector_info = models.Connector.objects.get(id=connector_id)
|
connector_info = models.Connector.objects.get(id=connector_id)
|
||||||
connector = load_connector(connector_info)
|
connector = load_connector(connector_info)
|
||||||
|
@ -118,8 +147,10 @@ def load_more_data(connector_id, book_id):
|
||||||
connector.expand_book_data(book)
|
connector.expand_book_data(book)
|
||||||
|
|
||||||
|
|
||||||
@app.task(queue=LOW)
|
@app.task(queue=CONNECTORS)
|
||||||
def create_edition_task(connector_id, work_id, data):
|
def create_edition_task(
|
||||||
|
connector_id: int, work_id: int, data: Union[str, abstract_connector.JsonDict]
|
||||||
|
) -> None:
|
||||||
"""separate task for each of the 10,000 editions of LoTR"""
|
"""separate task for each of the 10,000 editions of LoTR"""
|
||||||
connector_info = models.Connector.objects.get(id=connector_id)
|
connector_info = models.Connector.objects.get(id=connector_id)
|
||||||
connector = load_connector(connector_info)
|
connector = load_connector(connector_info)
|
||||||
|
@ -127,23 +158,31 @@ def create_edition_task(connector_id, work_id, data):
|
||||||
connector.create_edition_from_data(work, data)
|
connector.create_edition_from_data(work, data)
|
||||||
|
|
||||||
|
|
||||||
def load_connector(connector_info):
|
def load_connector(
|
||||||
|
connector_info: models.Connector,
|
||||||
|
) -> abstract_connector.AbstractConnector:
|
||||||
"""instantiate the connector class"""
|
"""instantiate the connector class"""
|
||||||
connector = importlib.import_module(
|
connector = importlib.import_module(
|
||||||
f"bookwyrm.connectors.{connector_info.connector_file}"
|
f"bookwyrm.connectors.{connector_info.connector_file}"
|
||||||
)
|
)
|
||||||
return connector.Connector(connector_info.identifier)
|
return connector.Connector(connector_info.identifier) # type: ignore[no-any-return]
|
||||||
|
|
||||||
|
|
||||||
@receiver(signals.post_save, sender="bookwyrm.FederatedServer")
|
@receiver(signals.post_save, sender="bookwyrm.FederatedServer")
|
||||||
# pylint: disable=unused-argument
|
# pylint: disable=unused-argument
|
||||||
def create_connector(sender, instance, created, *args, **kwargs):
|
def create_connector(
|
||||||
|
sender: Any,
|
||||||
|
instance: models.FederatedServer,
|
||||||
|
created: Any,
|
||||||
|
*args: Any,
|
||||||
|
**kwargs: Any,
|
||||||
|
) -> None:
|
||||||
"""create a connector to an external bookwyrm server"""
|
"""create a connector to an external bookwyrm server"""
|
||||||
if instance.application_type == "bookwyrm":
|
if instance.application_type == "bookwyrm":
|
||||||
get_or_create_connector(f"https://{instance.server_name}")
|
get_or_create_connector(f"https://{instance.server_name}")
|
||||||
|
|
||||||
|
|
||||||
def raise_not_valid_url(url):
|
def raise_not_valid_url(url: str) -> None:
|
||||||
"""do some basic reality checks on the url"""
|
"""do some basic reality checks on the url"""
|
||||||
parsed = urlparse(url)
|
parsed = urlparse(url)
|
||||||
if not parsed.scheme in ["http", "https"]:
|
if not parsed.scheme in ["http", "https"]:
|
||||||
|
|
|
@ -1,9 +1,10 @@
|
||||||
""" inventaire data connector """
|
""" inventaire data connector """
|
||||||
import re
|
import re
|
||||||
|
from typing import Any, Union, Optional, Iterator, Iterable
|
||||||
|
|
||||||
from bookwyrm import models
|
from bookwyrm import models
|
||||||
from bookwyrm.book_search import SearchResult
|
from bookwyrm.book_search import SearchResult
|
||||||
from .abstract_connector import AbstractConnector, Mapping
|
from .abstract_connector import AbstractConnector, Mapping, JsonDict
|
||||||
from .abstract_connector import get_data
|
from .abstract_connector import get_data
|
||||||
from .connector_manager import ConnectorException, create_edition_task
|
from .connector_manager import ConnectorException, create_edition_task
|
||||||
|
|
||||||
|
@ -13,7 +14,7 @@ class Connector(AbstractConnector):
|
||||||
|
|
||||||
generated_remote_link_field = "inventaire_id"
|
generated_remote_link_field = "inventaire_id"
|
||||||
|
|
||||||
def __init__(self, identifier):
|
def __init__(self, identifier: str):
|
||||||
super().__init__(identifier)
|
super().__init__(identifier)
|
||||||
|
|
||||||
get_first = lambda a: a[0]
|
get_first = lambda a: a[0]
|
||||||
|
@ -60,13 +61,13 @@ class Connector(AbstractConnector):
|
||||||
Mapping("died", remote_field="wdt:P570", formatter=get_first),
|
Mapping("died", remote_field="wdt:P570", formatter=get_first),
|
||||||
] + shared_mappings
|
] + shared_mappings
|
||||||
|
|
||||||
def get_remote_id(self, value):
|
def get_remote_id(self, value: str) -> str:
|
||||||
"""convert an id/uri into a url"""
|
"""convert an id/uri into a url"""
|
||||||
return f"{self.books_url}?action=by-uris&uris={value}"
|
return f"{self.books_url}?action=by-uris&uris={value}"
|
||||||
|
|
||||||
def get_book_data(self, remote_id):
|
def get_book_data(self, remote_id: str) -> JsonDict:
|
||||||
data = get_data(remote_id)
|
data = get_data(remote_id)
|
||||||
extracted = list(data.get("entities").values())
|
extracted = list(data.get("entities", {}).values())
|
||||||
try:
|
try:
|
||||||
data = extracted[0]
|
data = extracted[0]
|
||||||
except (KeyError, IndexError):
|
except (KeyError, IndexError):
|
||||||
|
@ -74,10 +75,16 @@ class Connector(AbstractConnector):
|
||||||
# flatten the data so that images, uri, and claims are on the same level
|
# flatten the data so that images, uri, and claims are on the same level
|
||||||
return {
|
return {
|
||||||
**data.get("claims", {}),
|
**data.get("claims", {}),
|
||||||
**{k: data.get(k) for k in ["uri", "image", "labels", "sitelinks", "type"]},
|
**{
|
||||||
|
k: data.get(k)
|
||||||
|
for k in ["uri", "image", "labels", "sitelinks", "type"]
|
||||||
|
if k in data
|
||||||
|
},
|
||||||
}
|
}
|
||||||
|
|
||||||
def parse_search_data(self, data, min_confidence):
|
def parse_search_data(
|
||||||
|
self, data: JsonDict, min_confidence: float
|
||||||
|
) -> Iterator[SearchResult]:
|
||||||
for search_result in data.get("results", []):
|
for search_result in data.get("results", []):
|
||||||
images = search_result.get("image")
|
images = search_result.get("image")
|
||||||
cover = f"{self.covers_url}/img/entities/{images[0]}" if images else None
|
cover = f"{self.covers_url}/img/entities/{images[0]}" if images else None
|
||||||
|
@ -96,7 +103,7 @@ class Connector(AbstractConnector):
|
||||||
connector=self,
|
connector=self,
|
||||||
)
|
)
|
||||||
|
|
||||||
def parse_isbn_search_data(self, data):
|
def parse_isbn_search_data(self, data: JsonDict) -> Iterator[SearchResult]:
|
||||||
"""got some data"""
|
"""got some data"""
|
||||||
results = data.get("entities")
|
results = data.get("entities")
|
||||||
if not results:
|
if not results:
|
||||||
|
@ -114,35 +121,44 @@ class Connector(AbstractConnector):
|
||||||
connector=self,
|
connector=self,
|
||||||
)
|
)
|
||||||
|
|
||||||
def is_work_data(self, data):
|
def is_work_data(self, data: JsonDict) -> bool:
|
||||||
return data.get("type") == "work"
|
return data.get("type") == "work"
|
||||||
|
|
||||||
def load_edition_data(self, work_uri):
|
def load_edition_data(self, work_uri: str) -> JsonDict:
|
||||||
"""get a list of editions for a work"""
|
"""get a list of editions for a work"""
|
||||||
# pylint: disable=line-too-long
|
# pylint: disable=line-too-long
|
||||||
url = f"{self.books_url}?action=reverse-claims&property=wdt:P629&value={work_uri}&sort=true"
|
url = f"{self.books_url}?action=reverse-claims&property=wdt:P629&value={work_uri}&sort=true"
|
||||||
return get_data(url)
|
return get_data(url)
|
||||||
|
|
||||||
def get_edition_from_work_data(self, data):
|
def get_edition_from_work_data(self, data: JsonDict) -> JsonDict:
|
||||||
data = self.load_edition_data(data.get("uri"))
|
work_uri = data.get("uri")
|
||||||
|
if not work_uri:
|
||||||
|
raise ConnectorException("Invalid URI")
|
||||||
|
data = self.load_edition_data(work_uri)
|
||||||
try:
|
try:
|
||||||
uri = data.get("uris", [])[0]
|
uri = data.get("uris", [])[0]
|
||||||
except IndexError:
|
except IndexError:
|
||||||
raise ConnectorException("Invalid book data")
|
raise ConnectorException("Invalid book data")
|
||||||
return self.get_book_data(self.get_remote_id(uri))
|
return self.get_book_data(self.get_remote_id(uri))
|
||||||
|
|
||||||
def get_work_from_edition_data(self, data):
|
def get_work_from_edition_data(self, data: JsonDict) -> JsonDict:
|
||||||
uri = data.get("wdt:P629", [None])[0]
|
try:
|
||||||
|
uri = data.get("wdt:P629", [])[0]
|
||||||
|
except IndexError:
|
||||||
|
raise ConnectorException("Invalid book data")
|
||||||
|
|
||||||
if not uri:
|
if not uri:
|
||||||
raise ConnectorException("Invalid book data")
|
raise ConnectorException("Invalid book data")
|
||||||
return self.get_book_data(self.get_remote_id(uri))
|
return self.get_book_data(self.get_remote_id(uri))
|
||||||
|
|
||||||
def get_authors_from_data(self, data):
|
def get_authors_from_data(self, data: JsonDict) -> Iterator[models.Author]:
|
||||||
authors = data.get("wdt:P50", [])
|
authors = data.get("wdt:P50", [])
|
||||||
for author in authors:
|
for author in authors:
|
||||||
yield self.get_or_create_author(self.get_remote_id(author))
|
model = self.get_or_create_author(self.get_remote_id(author))
|
||||||
|
if model:
|
||||||
|
yield model
|
||||||
|
|
||||||
def expand_book_data(self, book):
|
def expand_book_data(self, book: models.Book) -> None:
|
||||||
work = book
|
work = book
|
||||||
# go from the edition to the work, if necessary
|
# go from the edition to the work, if necessary
|
||||||
if isinstance(book, models.Edition):
|
if isinstance(book, models.Edition):
|
||||||
|
@ -154,11 +170,16 @@ class Connector(AbstractConnector):
|
||||||
# who knows, man
|
# who knows, man
|
||||||
return
|
return
|
||||||
|
|
||||||
for edition_uri in edition_options.get("uris"):
|
for edition_uri in edition_options.get("uris", []):
|
||||||
remote_id = self.get_remote_id(edition_uri)
|
remote_id = self.get_remote_id(edition_uri)
|
||||||
create_edition_task.delay(self.connector.id, work.id, remote_id)
|
create_edition_task.delay(self.connector.id, work.id, remote_id)
|
||||||
|
|
||||||
def create_edition_from_data(self, work, edition_data, instance=None):
|
def create_edition_from_data(
|
||||||
|
self,
|
||||||
|
work: models.Work,
|
||||||
|
edition_data: Union[str, JsonDict],
|
||||||
|
instance: Optional[models.Edition] = None,
|
||||||
|
) -> Optional[models.Edition]:
|
||||||
"""pass in the url as data and then call the version in abstract connector"""
|
"""pass in the url as data and then call the version in abstract connector"""
|
||||||
if isinstance(edition_data, str):
|
if isinstance(edition_data, str):
|
||||||
try:
|
try:
|
||||||
|
@ -168,22 +189,26 @@ class Connector(AbstractConnector):
|
||||||
return None
|
return None
|
||||||
return super().create_edition_from_data(work, edition_data, instance=instance)
|
return super().create_edition_from_data(work, edition_data, instance=instance)
|
||||||
|
|
||||||
def get_cover_url(self, cover_blob, *_):
|
def get_cover_url(
|
||||||
|
self, cover_blob: Union[list[JsonDict], JsonDict], *_: Any
|
||||||
|
) -> Optional[str]:
|
||||||
"""format the relative cover url into an absolute one:
|
"""format the relative cover url into an absolute one:
|
||||||
{"url": "/img/entities/e794783f01b9d4f897a1ea9820b96e00d346994f"}
|
{"url": "/img/entities/e794783f01b9d4f897a1ea9820b96e00d346994f"}
|
||||||
"""
|
"""
|
||||||
# covers may or may not be a list
|
# covers may or may not be a list
|
||||||
if isinstance(cover_blob, list) and len(cover_blob) > 0:
|
if isinstance(cover_blob, list):
|
||||||
|
if len(cover_blob) == 0:
|
||||||
|
return None
|
||||||
cover_blob = cover_blob[0]
|
cover_blob = cover_blob[0]
|
||||||
cover_id = cover_blob.get("url")
|
cover_id = cover_blob.get("url")
|
||||||
if not cover_id:
|
if not isinstance(cover_id, str):
|
||||||
return None
|
return None
|
||||||
# cover may or may not be an absolute url already
|
# cover may or may not be an absolute url already
|
||||||
if re.match(r"^http", cover_id):
|
if re.match(r"^http", cover_id):
|
||||||
return cover_id
|
return cover_id
|
||||||
return f"{self.covers_url}{cover_id}"
|
return f"{self.covers_url}{cover_id}"
|
||||||
|
|
||||||
def resolve_keys(self, keys):
|
def resolve_keys(self, keys: Iterable[str]) -> list[str]:
|
||||||
"""cool, it's "wd:Q3156592" now what the heck does that mean"""
|
"""cool, it's "wd:Q3156592" now what the heck does that mean"""
|
||||||
results = []
|
results = []
|
||||||
for uri in keys:
|
for uri in keys:
|
||||||
|
@ -191,10 +216,10 @@ class Connector(AbstractConnector):
|
||||||
data = self.get_book_data(self.get_remote_id(uri))
|
data = self.get_book_data(self.get_remote_id(uri))
|
||||||
except ConnectorException:
|
except ConnectorException:
|
||||||
continue
|
continue
|
||||||
results.append(get_language_code(data.get("labels")))
|
results.append(get_language_code(data.get("labels", {})))
|
||||||
return results
|
return results
|
||||||
|
|
||||||
def get_description(self, links):
|
def get_description(self, links: JsonDict) -> str:
|
||||||
"""grab an extracted excerpt from wikipedia"""
|
"""grab an extracted excerpt from wikipedia"""
|
||||||
link = links.get("enwiki")
|
link = links.get("enwiki")
|
||||||
if not link:
|
if not link:
|
||||||
|
@ -204,15 +229,15 @@ class Connector(AbstractConnector):
|
||||||
data = get_data(url)
|
data = get_data(url)
|
||||||
except ConnectorException:
|
except ConnectorException:
|
||||||
return ""
|
return ""
|
||||||
return data.get("extract")
|
return data.get("extract", "")
|
||||||
|
|
||||||
def get_remote_id_from_model(self, obj):
|
def get_remote_id_from_model(self, obj: models.BookDataModel) -> str:
|
||||||
"""use get_remote_id to figure out the link from a model obj"""
|
"""use get_remote_id to figure out the link from a model obj"""
|
||||||
remote_id_value = obj.inventaire_id
|
remote_id_value = obj.inventaire_id
|
||||||
return self.get_remote_id(remote_id_value)
|
return self.get_remote_id(remote_id_value)
|
||||||
|
|
||||||
|
|
||||||
def get_language_code(options, code="en"):
|
def get_language_code(options: JsonDict, code: str = "en") -> Any:
|
||||||
"""when there are a bunch of translation but we need a single field"""
|
"""when there are a bunch of translation but we need a single field"""
|
||||||
result = options.get(code)
|
result = options.get(code)
|
||||||
if result:
|
if result:
|
||||||
|
|
|
@ -1,9 +1,10 @@
|
||||||
""" openlibrary data connector """
|
""" openlibrary data connector """
|
||||||
import re
|
import re
|
||||||
|
from typing import Any, Optional, Union, Iterator, Iterable
|
||||||
|
|
||||||
from bookwyrm import models
|
from bookwyrm import models
|
||||||
from bookwyrm.book_search import SearchResult
|
from bookwyrm.book_search import SearchResult
|
||||||
from .abstract_connector import AbstractConnector, Mapping
|
from .abstract_connector import AbstractConnector, Mapping, JsonDict
|
||||||
from .abstract_connector import get_data, infer_physical_format, unique_physical_format
|
from .abstract_connector import get_data, infer_physical_format, unique_physical_format
|
||||||
from .connector_manager import ConnectorException, create_edition_task
|
from .connector_manager import ConnectorException, create_edition_task
|
||||||
from .openlibrary_languages import languages
|
from .openlibrary_languages import languages
|
||||||
|
@ -14,7 +15,7 @@ class Connector(AbstractConnector):
|
||||||
|
|
||||||
generated_remote_link_field = "openlibrary_link"
|
generated_remote_link_field = "openlibrary_link"
|
||||||
|
|
||||||
def __init__(self, identifier):
|
def __init__(self, identifier: str):
|
||||||
super().__init__(identifier)
|
super().__init__(identifier)
|
||||||
|
|
||||||
get_first = lambda a, *args: a[0]
|
get_first = lambda a, *args: a[0]
|
||||||
|
@ -94,14 +95,14 @@ class Connector(AbstractConnector):
|
||||||
Mapping("inventaire_id", remote_field="links", formatter=get_inventaire_id),
|
Mapping("inventaire_id", remote_field="links", formatter=get_inventaire_id),
|
||||||
]
|
]
|
||||||
|
|
||||||
def get_book_data(self, remote_id):
|
def get_book_data(self, remote_id: str) -> JsonDict:
|
||||||
data = get_data(remote_id)
|
data = get_data(remote_id)
|
||||||
if data.get("type", {}).get("key") == "/type/redirect":
|
if data.get("type", {}).get("key") == "/type/redirect":
|
||||||
remote_id = self.base_url + data.get("location")
|
remote_id = self.base_url + data.get("location", "")
|
||||||
return get_data(remote_id)
|
return get_data(remote_id)
|
||||||
return data
|
return data
|
||||||
|
|
||||||
def get_remote_id_from_data(self, data):
|
def get_remote_id_from_data(self, data: JsonDict) -> str:
|
||||||
"""format a url from an openlibrary id field"""
|
"""format a url from an openlibrary id field"""
|
||||||
try:
|
try:
|
||||||
key = data["key"]
|
key = data["key"]
|
||||||
|
@ -109,10 +110,10 @@ class Connector(AbstractConnector):
|
||||||
raise ConnectorException("Invalid book data")
|
raise ConnectorException("Invalid book data")
|
||||||
return f"{self.books_url}{key}"
|
return f"{self.books_url}{key}"
|
||||||
|
|
||||||
def is_work_data(self, data):
|
def is_work_data(self, data: JsonDict) -> bool:
|
||||||
return bool(re.match(r"^[\/\w]+OL\d+W$", data["key"]))
|
return bool(re.match(r"^[\/\w]+OL\d+W$", data["key"]))
|
||||||
|
|
||||||
def get_edition_from_work_data(self, data):
|
def get_edition_from_work_data(self, data: JsonDict) -> JsonDict:
|
||||||
try:
|
try:
|
||||||
key = data["key"]
|
key = data["key"]
|
||||||
except KeyError:
|
except KeyError:
|
||||||
|
@ -124,7 +125,7 @@ class Connector(AbstractConnector):
|
||||||
raise ConnectorException("No editions for work")
|
raise ConnectorException("No editions for work")
|
||||||
return edition
|
return edition
|
||||||
|
|
||||||
def get_work_from_edition_data(self, data):
|
def get_work_from_edition_data(self, data: JsonDict) -> JsonDict:
|
||||||
try:
|
try:
|
||||||
key = data["works"][0]["key"]
|
key = data["works"][0]["key"]
|
||||||
except (IndexError, KeyError):
|
except (IndexError, KeyError):
|
||||||
|
@ -132,7 +133,7 @@ class Connector(AbstractConnector):
|
||||||
url = f"{self.books_url}{key}"
|
url = f"{self.books_url}{key}"
|
||||||
return self.get_book_data(url)
|
return self.get_book_data(url)
|
||||||
|
|
||||||
def get_authors_from_data(self, data):
|
def get_authors_from_data(self, data: JsonDict) -> Iterator[models.Author]:
|
||||||
"""parse author json and load or create authors"""
|
"""parse author json and load or create authors"""
|
||||||
for author_blob in data.get("authors", []):
|
for author_blob in data.get("authors", []):
|
||||||
author_blob = author_blob.get("author", author_blob)
|
author_blob = author_blob.get("author", author_blob)
|
||||||
|
@ -144,7 +145,7 @@ class Connector(AbstractConnector):
|
||||||
continue
|
continue
|
||||||
yield author
|
yield author
|
||||||
|
|
||||||
def get_cover_url(self, cover_blob, size="L"):
|
def get_cover_url(self, cover_blob: list[str], size: str = "L") -> Optional[str]:
|
||||||
"""ask openlibrary for the cover"""
|
"""ask openlibrary for the cover"""
|
||||||
if not cover_blob:
|
if not cover_blob:
|
||||||
return None
|
return None
|
||||||
|
@ -152,8 +153,10 @@ class Connector(AbstractConnector):
|
||||||
image_name = f"{cover_id}-{size}.jpg"
|
image_name = f"{cover_id}-{size}.jpg"
|
||||||
return f"{self.covers_url}/b/id/{image_name}"
|
return f"{self.covers_url}/b/id/{image_name}"
|
||||||
|
|
||||||
def parse_search_data(self, data, min_confidence):
|
def parse_search_data(
|
||||||
for idx, search_result in enumerate(data.get("docs")):
|
self, data: JsonDict, min_confidence: float
|
||||||
|
) -> Iterator[SearchResult]:
|
||||||
|
for idx, search_result in enumerate(data.get("docs", [])):
|
||||||
# build the remote id from the openlibrary key
|
# build the remote id from the openlibrary key
|
||||||
key = self.books_url + search_result["key"]
|
key = self.books_url + search_result["key"]
|
||||||
author = search_result.get("author_name") or ["Unknown"]
|
author = search_result.get("author_name") or ["Unknown"]
|
||||||
|
@ -174,7 +177,7 @@ class Connector(AbstractConnector):
|
||||||
confidence=confidence,
|
confidence=confidence,
|
||||||
)
|
)
|
||||||
|
|
||||||
def parse_isbn_search_data(self, data):
|
def parse_isbn_search_data(self, data: JsonDict) -> Iterator[SearchResult]:
|
||||||
for search_result in list(data.values()):
|
for search_result in list(data.values()):
|
||||||
# build the remote id from the openlibrary key
|
# build the remote id from the openlibrary key
|
||||||
key = self.books_url + search_result["key"]
|
key = self.books_url + search_result["key"]
|
||||||
|
@ -188,12 +191,12 @@ class Connector(AbstractConnector):
|
||||||
year=search_result.get("publish_date"),
|
year=search_result.get("publish_date"),
|
||||||
)
|
)
|
||||||
|
|
||||||
def load_edition_data(self, olkey):
|
def load_edition_data(self, olkey: str) -> JsonDict:
|
||||||
"""query openlibrary for editions of a work"""
|
"""query openlibrary for editions of a work"""
|
||||||
url = f"{self.books_url}/works/{olkey}/editions"
|
url = f"{self.books_url}/works/{olkey}/editions"
|
||||||
return self.get_book_data(url)
|
return self.get_book_data(url)
|
||||||
|
|
||||||
def expand_book_data(self, book):
|
def expand_book_data(self, book: models.Book) -> None:
|
||||||
work = book
|
work = book
|
||||||
# go from the edition to the work, if necessary
|
# go from the edition to the work, if necessary
|
||||||
if isinstance(book, models.Edition):
|
if isinstance(book, models.Edition):
|
||||||
|
@ -206,14 +209,14 @@ class Connector(AbstractConnector):
|
||||||
# who knows, man
|
# who knows, man
|
||||||
return
|
return
|
||||||
|
|
||||||
for edition_data in edition_options.get("entries"):
|
for edition_data in edition_options.get("entries", []):
|
||||||
# does this edition have ANY interesting data?
|
# does this edition have ANY interesting data?
|
||||||
if ignore_edition(edition_data):
|
if ignore_edition(edition_data):
|
||||||
continue
|
continue
|
||||||
create_edition_task.delay(self.connector.id, work.id, edition_data)
|
create_edition_task.delay(self.connector.id, work.id, edition_data)
|
||||||
|
|
||||||
|
|
||||||
def ignore_edition(edition_data):
|
def ignore_edition(edition_data: JsonDict) -> bool:
|
||||||
"""don't load a million editions that have no metadata"""
|
"""don't load a million editions that have no metadata"""
|
||||||
# an isbn, we love to see it
|
# an isbn, we love to see it
|
||||||
if edition_data.get("isbn_13") or edition_data.get("isbn_10"):
|
if edition_data.get("isbn_13") or edition_data.get("isbn_10"):
|
||||||
|
@ -232,19 +235,19 @@ def ignore_edition(edition_data):
|
||||||
return True
|
return True
|
||||||
|
|
||||||
|
|
||||||
def get_description(description_blob):
|
def get_description(description_blob: Union[JsonDict, str]) -> Optional[str]:
|
||||||
"""descriptions can be a string or a dict"""
|
"""descriptions can be a string or a dict"""
|
||||||
if isinstance(description_blob, dict):
|
if isinstance(description_blob, dict):
|
||||||
return description_blob.get("value")
|
return description_blob.get("value")
|
||||||
return description_blob
|
return description_blob
|
||||||
|
|
||||||
|
|
||||||
def get_openlibrary_key(key):
|
def get_openlibrary_key(key: str) -> str:
|
||||||
"""convert /books/OL27320736M into OL27320736M"""
|
"""convert /books/OL27320736M into OL27320736M"""
|
||||||
return key.split("/")[-1]
|
return key.split("/")[-1]
|
||||||
|
|
||||||
|
|
||||||
def get_languages(language_blob):
|
def get_languages(language_blob: Iterable[JsonDict]) -> list[Optional[str]]:
|
||||||
"""/language/eng -> English"""
|
"""/language/eng -> English"""
|
||||||
langs = []
|
langs = []
|
||||||
for lang in language_blob:
|
for lang in language_blob:
|
||||||
|
@ -252,14 +255,14 @@ def get_languages(language_blob):
|
||||||
return langs
|
return langs
|
||||||
|
|
||||||
|
|
||||||
def get_dict_field(blob, field_name):
|
def get_dict_field(blob: Optional[JsonDict], field_name: str) -> Optional[Any]:
|
||||||
"""extract the isni from the remote id data for the author"""
|
"""extract the isni from the remote id data for the author"""
|
||||||
if not blob or not isinstance(blob, dict):
|
if not blob or not isinstance(blob, dict):
|
||||||
return None
|
return None
|
||||||
return blob.get(field_name)
|
return blob.get(field_name)
|
||||||
|
|
||||||
|
|
||||||
def get_wikipedia_link(links):
|
def get_wikipedia_link(links: list[Any]) -> Optional[str]:
|
||||||
"""extract wikipedia links"""
|
"""extract wikipedia links"""
|
||||||
if not isinstance(links, list):
|
if not isinstance(links, list):
|
||||||
return None
|
return None
|
||||||
|
@ -272,7 +275,7 @@ def get_wikipedia_link(links):
|
||||||
return None
|
return None
|
||||||
|
|
||||||
|
|
||||||
def get_inventaire_id(links):
|
def get_inventaire_id(links: list[Any]) -> Optional[str]:
|
||||||
"""extract and format inventaire ids"""
|
"""extract and format inventaire ids"""
|
||||||
if not isinstance(links, list):
|
if not isinstance(links, list):
|
||||||
return None
|
return None
|
||||||
|
@ -282,11 +285,13 @@ def get_inventaire_id(links):
|
||||||
continue
|
continue
|
||||||
if link.get("title") == "inventaire.io":
|
if link.get("title") == "inventaire.io":
|
||||||
iv_link = link.get("url")
|
iv_link = link.get("url")
|
||||||
|
if not isinstance(iv_link, str):
|
||||||
|
return None
|
||||||
return iv_link.split("/")[-1]
|
return iv_link.split("/")[-1]
|
||||||
return None
|
return None
|
||||||
|
|
||||||
|
|
||||||
def pick_default_edition(options):
|
def pick_default_edition(options: list[JsonDict]) -> Optional[JsonDict]:
|
||||||
"""favor physical copies with covers in english"""
|
"""favor physical copies with covers in english"""
|
||||||
if not options:
|
if not options:
|
||||||
return None
|
return None
|
||||||
|
|
|
@ -3,7 +3,7 @@ from django.core.mail import EmailMultiAlternatives
|
||||||
from django.template.loader import get_template
|
from django.template.loader import get_template
|
||||||
|
|
||||||
from bookwyrm import models, settings
|
from bookwyrm import models, settings
|
||||||
from bookwyrm.tasks import app, HIGH
|
from bookwyrm.tasks import app, EMAIL
|
||||||
from bookwyrm.settings import DOMAIN
|
from bookwyrm.settings import DOMAIN
|
||||||
|
|
||||||
|
|
||||||
|
@ -75,7 +75,7 @@ def format_email(email_name, data):
|
||||||
return (subject, html_content, text_content)
|
return (subject, html_content, text_content)
|
||||||
|
|
||||||
|
|
||||||
@app.task(queue=HIGH)
|
@app.task(queue=EMAIL)
|
||||||
def send_email(recipient, subject, html_content, text_content):
|
def send_email(recipient, subject, html_content, text_content):
|
||||||
"""use a task to send the email"""
|
"""use a task to send the email"""
|
||||||
email = EmailMultiAlternatives(
|
email = EmailMultiAlternatives(
|
||||||
|
|
|
@ -20,6 +20,7 @@ class EditionForm(CustomForm):
|
||||||
model = models.Edition
|
model = models.Edition
|
||||||
fields = [
|
fields = [
|
||||||
"title",
|
"title",
|
||||||
|
"sort_title",
|
||||||
"subtitle",
|
"subtitle",
|
||||||
"description",
|
"description",
|
||||||
"series",
|
"series",
|
||||||
|
@ -45,6 +46,9 @@ class EditionForm(CustomForm):
|
||||||
]
|
]
|
||||||
widgets = {
|
widgets = {
|
||||||
"title": forms.TextInput(attrs={"aria-describedby": "desc_title"}),
|
"title": forms.TextInput(attrs={"aria-describedby": "desc_title"}),
|
||||||
|
"sort_title": forms.TextInput(
|
||||||
|
attrs={"aria-describedby": "desc_sort_title"}
|
||||||
|
),
|
||||||
"subtitle": forms.TextInput(attrs={"aria-describedby": "desc_subtitle"}),
|
"subtitle": forms.TextInput(attrs={"aria-describedby": "desc_subtitle"}),
|
||||||
"description": forms.Textarea(
|
"description": forms.Textarea(
|
||||||
attrs={"aria-describedby": "desc_description"}
|
attrs={"aria-describedby": "desc_description"}
|
||||||
|
@ -107,6 +111,7 @@ class EditionFromWorkForm(CustomForm):
|
||||||
model = models.Work
|
model = models.Work
|
||||||
fields = [
|
fields = [
|
||||||
"title",
|
"title",
|
||||||
|
"sort_title",
|
||||||
"subtitle",
|
"subtitle",
|
||||||
"authors",
|
"authors",
|
||||||
"description",
|
"description",
|
||||||
|
|
|
@ -24,7 +24,7 @@ class SortListForm(forms.Form):
|
||||||
sort_by = ChoiceField(
|
sort_by = ChoiceField(
|
||||||
choices=(
|
choices=(
|
||||||
("order", _("List Order")),
|
("order", _("List Order")),
|
||||||
("title", _("Book Title")),
|
("sort_title", _("Book Title")),
|
||||||
("rating", _("Rating")),
|
("rating", _("Rating")),
|
||||||
),
|
),
|
||||||
label=_("Sort By"),
|
label=_("Sort By"),
|
||||||
|
|
7904
bookwyrm/isbn/RangeMessage.xml
Normal file
7904
bookwyrm/isbn/RangeMessage.xml
Normal file
File diff suppressed because it is too large
Load diff
0
bookwyrm/isbn/__init__.py
Normal file
0
bookwyrm/isbn/__init__.py
Normal file
78
bookwyrm/isbn/isbn.py
Normal file
78
bookwyrm/isbn/isbn.py
Normal file
|
@ -0,0 +1,78 @@
|
||||||
|
""" Use the range message from isbn-international to hyphenate ISBNs """
|
||||||
|
import os
|
||||||
|
from xml.etree import ElementTree
|
||||||
|
import requests
|
||||||
|
|
||||||
|
from bookwyrm import settings
|
||||||
|
|
||||||
|
|
||||||
|
class IsbnHyphenator:
|
||||||
|
"""Class to manage the range message xml file and use it to hyphenate ISBNs"""
|
||||||
|
|
||||||
|
__range_message_url = "https://www.isbn-international.org/export_rangemessage.xml"
|
||||||
|
__range_file_path = os.path.join(
|
||||||
|
settings.BASE_DIR, "bookwyrm", "isbn", "RangeMessage.xml"
|
||||||
|
)
|
||||||
|
__element_tree = None
|
||||||
|
|
||||||
|
def update_range_message(self):
|
||||||
|
"""Download the range message xml file and save it locally"""
|
||||||
|
response = requests.get(self.__range_message_url)
|
||||||
|
with open(self.__range_file_path, "w", encoding="utf-8") as file:
|
||||||
|
file.write(response.text)
|
||||||
|
self.__element_tree = None
|
||||||
|
|
||||||
|
def hyphenate(self, isbn_13):
|
||||||
|
"""hyphenate the given ISBN-13 number using the range message"""
|
||||||
|
if isbn_13 is None:
|
||||||
|
return None
|
||||||
|
if self.__element_tree is None:
|
||||||
|
self.__element_tree = ElementTree.parse(self.__range_file_path)
|
||||||
|
gs1_prefix = isbn_13[:3]
|
||||||
|
reg_group = self.__find_reg_group(isbn_13, gs1_prefix)
|
||||||
|
if reg_group is None:
|
||||||
|
return isbn_13 # failed to hyphenate
|
||||||
|
registrant = self.__find_registrant(isbn_13, gs1_prefix, reg_group)
|
||||||
|
if registrant is None:
|
||||||
|
return isbn_13 # failed to hyphenate
|
||||||
|
publication = isbn_13[len(gs1_prefix) + len(reg_group) + len(registrant) : -1]
|
||||||
|
check_digit = isbn_13[-1:]
|
||||||
|
return "-".join((gs1_prefix, reg_group, registrant, publication, check_digit))
|
||||||
|
|
||||||
|
def __find_reg_group(self, isbn_13, gs1_prefix):
|
||||||
|
for ean_ucc_el in self.__element_tree.find("EAN.UCCPrefixes").findall(
|
||||||
|
"EAN.UCC"
|
||||||
|
):
|
||||||
|
if ean_ucc_el.find("Prefix").text == gs1_prefix:
|
||||||
|
for rule_el in ean_ucc_el.find("Rules").findall("Rule"):
|
||||||
|
length = int(rule_el.find("Length").text)
|
||||||
|
if length == 0:
|
||||||
|
continue
|
||||||
|
reg_grp_range = [
|
||||||
|
int(x[:length]) for x in rule_el.find("Range").text.split("-")
|
||||||
|
]
|
||||||
|
reg_group = isbn_13[len(gs1_prefix) : len(gs1_prefix) + length]
|
||||||
|
if reg_grp_range[0] <= int(reg_group) <= reg_grp_range[1]:
|
||||||
|
return reg_group
|
||||||
|
return None
|
||||||
|
return None
|
||||||
|
|
||||||
|
def __find_registrant(self, isbn_13, gs1_prefix, reg_group):
|
||||||
|
from_ind = len(gs1_prefix) + len(reg_group)
|
||||||
|
for group_el in self.__element_tree.find("RegistrationGroups").findall("Group"):
|
||||||
|
if group_el.find("Prefix").text == "-".join((gs1_prefix, reg_group)):
|
||||||
|
for rule_el in group_el.find("Rules").findall("Rule"):
|
||||||
|
length = int(rule_el.find("Length").text)
|
||||||
|
if length == 0:
|
||||||
|
continue
|
||||||
|
registrant_range = [
|
||||||
|
int(x[:length]) for x in rule_el.find("Range").text.split("-")
|
||||||
|
]
|
||||||
|
registrant = isbn_13[from_ind : from_ind + length]
|
||||||
|
if registrant_range[0] <= int(registrant) <= registrant_range[1]:
|
||||||
|
return registrant
|
||||||
|
return None
|
||||||
|
return None
|
||||||
|
|
||||||
|
|
||||||
|
hyphenator_singleton = IsbnHyphenator()
|
|
@ -5,7 +5,7 @@ from django.db.models import signals, Count, Q
|
||||||
|
|
||||||
from bookwyrm import models
|
from bookwyrm import models
|
||||||
from bookwyrm.redis_store import RedisStore
|
from bookwyrm.redis_store import RedisStore
|
||||||
from bookwyrm.tasks import app, MEDIUM, HIGH
|
from bookwyrm.tasks import app, LISTS
|
||||||
|
|
||||||
|
|
||||||
class ListsStream(RedisStore):
|
class ListsStream(RedisStore):
|
||||||
|
@ -217,14 +217,14 @@ def add_list_on_account_create_command(user_id):
|
||||||
|
|
||||||
|
|
||||||
# ---- TASKS
|
# ---- TASKS
|
||||||
@app.task(queue=MEDIUM)
|
@app.task(queue=LISTS)
|
||||||
def populate_lists_task(user_id):
|
def populate_lists_task(user_id):
|
||||||
"""background task for populating an empty list stream"""
|
"""background task for populating an empty list stream"""
|
||||||
user = models.User.objects.get(id=user_id)
|
user = models.User.objects.get(id=user_id)
|
||||||
ListsStream().populate_lists(user)
|
ListsStream().populate_lists(user)
|
||||||
|
|
||||||
|
|
||||||
@app.task(queue=MEDIUM)
|
@app.task(queue=LISTS)
|
||||||
def remove_list_task(list_id, re_add=False):
|
def remove_list_task(list_id, re_add=False):
|
||||||
"""remove a list from any stream it might be in"""
|
"""remove a list from any stream it might be in"""
|
||||||
stores = models.User.objects.filter(local=True, is_active=True).values_list(
|
stores = models.User.objects.filter(local=True, is_active=True).values_list(
|
||||||
|
@ -239,14 +239,14 @@ def remove_list_task(list_id, re_add=False):
|
||||||
add_list_task.delay(list_id)
|
add_list_task.delay(list_id)
|
||||||
|
|
||||||
|
|
||||||
@app.task(queue=HIGH)
|
@app.task(queue=LISTS)
|
||||||
def add_list_task(list_id):
|
def add_list_task(list_id):
|
||||||
"""add a list to any stream it should be in"""
|
"""add a list to any stream it should be in"""
|
||||||
book_list = models.List.objects.get(id=list_id)
|
book_list = models.List.objects.get(id=list_id)
|
||||||
ListsStream().add_list(book_list)
|
ListsStream().add_list(book_list)
|
||||||
|
|
||||||
|
|
||||||
@app.task(queue=MEDIUM)
|
@app.task(queue=LISTS)
|
||||||
def remove_user_lists_task(viewer_id, user_id, exclude_privacy=None):
|
def remove_user_lists_task(viewer_id, user_id, exclude_privacy=None):
|
||||||
"""remove all lists by a user from a viewer's stream"""
|
"""remove all lists by a user from a viewer's stream"""
|
||||||
viewer = models.User.objects.get(id=viewer_id)
|
viewer = models.User.objects.get(id=viewer_id)
|
||||||
|
@ -254,7 +254,7 @@ def remove_user_lists_task(viewer_id, user_id, exclude_privacy=None):
|
||||||
ListsStream().remove_user_lists(viewer, user, exclude_privacy=exclude_privacy)
|
ListsStream().remove_user_lists(viewer, user, exclude_privacy=exclude_privacy)
|
||||||
|
|
||||||
|
|
||||||
@app.task(queue=MEDIUM)
|
@app.task(queue=LISTS)
|
||||||
def add_user_lists_task(viewer_id, user_id):
|
def add_user_lists_task(viewer_id, user_id):
|
||||||
"""add all lists by a user to a viewer's stream"""
|
"""add all lists by a user to a viewer's stream"""
|
||||||
viewer = models.User.objects.get(id=viewer_id)
|
viewer = models.User.objects.get(id=viewer_id)
|
||||||
|
|
21
bookwyrm/management/commands/repair_editions.py
Normal file
21
bookwyrm/management/commands/repair_editions.py
Normal file
|
@ -0,0 +1,21 @@
|
||||||
|
""" Repair editions with missing works """
|
||||||
|
from django.core.management.base import BaseCommand
|
||||||
|
from bookwyrm import models
|
||||||
|
|
||||||
|
|
||||||
|
class Command(BaseCommand):
|
||||||
|
"""command-line options"""
|
||||||
|
|
||||||
|
help = "Repairs an edition that is in a broken state"
|
||||||
|
|
||||||
|
# pylint: disable=unused-argument
|
||||||
|
def handle(self, *args, **options):
|
||||||
|
"""Find and repair broken editions"""
|
||||||
|
# Find broken editions
|
||||||
|
editions = models.Edition.objects.filter(parent_work__isnull=True)
|
||||||
|
self.stdout.write(f"Repairing {editions.count()} edition(s):")
|
||||||
|
|
||||||
|
# Do repair
|
||||||
|
for edition in editions:
|
||||||
|
edition.repair()
|
||||||
|
self.stdout.write(".", ending="")
|
49
bookwyrm/migrations/0179_populate_sort_title.py
Normal file
49
bookwyrm/migrations/0179_populate_sort_title.py
Normal file
|
@ -0,0 +1,49 @@
|
||||||
|
import re
|
||||||
|
from itertools import chain
|
||||||
|
|
||||||
|
from django.db import migrations, transaction
|
||||||
|
from django.db.models import Q
|
||||||
|
|
||||||
|
from bookwyrm.settings import LANGUAGE_ARTICLES
|
||||||
|
|
||||||
|
|
||||||
|
def set_sort_title(edition):
|
||||||
|
articles = chain(
|
||||||
|
*(LANGUAGE_ARTICLES.get(language, ()) for language in tuple(edition.languages))
|
||||||
|
)
|
||||||
|
edition.sort_title = re.sub(
|
||||||
|
f'^{" |^".join(articles)} ', "", str(edition.title).lower()
|
||||||
|
)
|
||||||
|
return edition
|
||||||
|
|
||||||
|
|
||||||
|
@transaction.atomic
|
||||||
|
def populate_sort_title(apps, schema_editor):
|
||||||
|
Edition = apps.get_model("bookwyrm", "Edition")
|
||||||
|
db_alias = schema_editor.connection.alias
|
||||||
|
editions_wo_sort_title = Edition.objects.using(db_alias).filter(
|
||||||
|
Q(sort_title__isnull=True) | Q(sort_title__exact="")
|
||||||
|
)
|
||||||
|
batch_size = 1000
|
||||||
|
start = 0
|
||||||
|
end = batch_size
|
||||||
|
while True:
|
||||||
|
batch = editions_wo_sort_title[start:end]
|
||||||
|
if not batch.exists():
|
||||||
|
break
|
||||||
|
Edition.objects.bulk_update(
|
||||||
|
(set_sort_title(edition) for edition in batch), ["sort_title"]
|
||||||
|
)
|
||||||
|
start = end
|
||||||
|
end += batch_size
|
||||||
|
|
||||||
|
|
||||||
|
class Migration(migrations.Migration):
|
||||||
|
|
||||||
|
dependencies = [
|
||||||
|
("bookwyrm", "0178_auto_20230328_2132"),
|
||||||
|
]
|
||||||
|
|
||||||
|
operations = [
|
||||||
|
migrations.RunPython(populate_sort_title),
|
||||||
|
]
|
44
bookwyrm/migrations/0180_alter_user_preferred_language.py
Normal file
44
bookwyrm/migrations/0180_alter_user_preferred_language.py
Normal file
|
@ -0,0 +1,44 @@
|
||||||
|
# Generated by Django 3.2.19 on 2023-07-23 19:33
|
||||||
|
|
||||||
|
from django.db import migrations, models
|
||||||
|
|
||||||
|
|
||||||
|
class Migration(migrations.Migration):
|
||||||
|
|
||||||
|
dependencies = [
|
||||||
|
("bookwyrm", "0179_populate_sort_title"),
|
||||||
|
]
|
||||||
|
|
||||||
|
operations = [
|
||||||
|
migrations.AlterField(
|
||||||
|
model_name="user",
|
||||||
|
name="preferred_language",
|
||||||
|
field=models.CharField(
|
||||||
|
blank=True,
|
||||||
|
choices=[
|
||||||
|
("en-us", "English"),
|
||||||
|
("ca-es", "Català (Catalan)"),
|
||||||
|
("de-de", "Deutsch (German)"),
|
||||||
|
("eo-uy", "Esperanto (Esperanto)"),
|
||||||
|
("es-es", "Español (Spanish)"),
|
||||||
|
("eu-es", "Euskara (Basque)"),
|
||||||
|
("gl-es", "Galego (Galician)"),
|
||||||
|
("it-it", "Italiano (Italian)"),
|
||||||
|
("fi-fi", "Suomi (Finnish)"),
|
||||||
|
("fr-fr", "Français (French)"),
|
||||||
|
("lt-lt", "Lietuvių (Lithuanian)"),
|
||||||
|
("nl-nl", "Nederlands (Dutch)"),
|
||||||
|
("no-no", "Norsk (Norwegian)"),
|
||||||
|
("pl-pl", "Polski (Polish)"),
|
||||||
|
("pt-br", "Português do Brasil (Brazilian Portuguese)"),
|
||||||
|
("pt-pt", "Português Europeu (European Portuguese)"),
|
||||||
|
("ro-ro", "Română (Romanian)"),
|
||||||
|
("sv-se", "Svenska (Swedish)"),
|
||||||
|
("zh-hans", "简体中文 (Simplified Chinese)"),
|
||||||
|
("zh-hant", "繁體中文 (Traditional Chinese)"),
|
||||||
|
],
|
||||||
|
max_length=255,
|
||||||
|
null=True,
|
||||||
|
),
|
||||||
|
),
|
||||||
|
]
|
|
@ -6,8 +6,9 @@ from functools import reduce
|
||||||
import json
|
import json
|
||||||
import operator
|
import operator
|
||||||
import logging
|
import logging
|
||||||
from typing import List
|
from typing import Any, Optional
|
||||||
from uuid import uuid4
|
from uuid import uuid4
|
||||||
|
from typing_extensions import Self
|
||||||
|
|
||||||
import aiohttp
|
import aiohttp
|
||||||
from Crypto.PublicKey import RSA
|
from Crypto.PublicKey import RSA
|
||||||
|
@ -21,7 +22,7 @@ from django.utils.http import http_date
|
||||||
from bookwyrm import activitypub
|
from bookwyrm import activitypub
|
||||||
from bookwyrm.settings import USER_AGENT, PAGE_LENGTH
|
from bookwyrm.settings import USER_AGENT, PAGE_LENGTH
|
||||||
from bookwyrm.signatures import make_signature, make_digest
|
from bookwyrm.signatures import make_signature, make_digest
|
||||||
from bookwyrm.tasks import app, MEDIUM, BROADCAST
|
from bookwyrm.tasks import app, BROADCAST
|
||||||
from bookwyrm.models.fields import ImageField, ManyToManyField
|
from bookwyrm.models.fields import ImageField, ManyToManyField
|
||||||
|
|
||||||
logger = logging.getLogger(__name__)
|
logger = logging.getLogger(__name__)
|
||||||
|
@ -85,7 +86,7 @@ class ActivitypubMixin:
|
||||||
super().__init__(*args, **kwargs)
|
super().__init__(*args, **kwargs)
|
||||||
|
|
||||||
@classmethod
|
@classmethod
|
||||||
def find_existing_by_remote_id(cls, remote_id):
|
def find_existing_by_remote_id(cls, remote_id: str) -> Self:
|
||||||
"""look up a remote id in the db"""
|
"""look up a remote id in the db"""
|
||||||
return cls.find_existing({"id": remote_id})
|
return cls.find_existing({"id": remote_id})
|
||||||
|
|
||||||
|
@ -137,7 +138,7 @@ class ActivitypubMixin:
|
||||||
queue=queue,
|
queue=queue,
|
||||||
)
|
)
|
||||||
|
|
||||||
def get_recipients(self, software=None) -> List[str]:
|
def get_recipients(self, software=None) -> list[str]:
|
||||||
"""figure out which inbox urls to post to"""
|
"""figure out which inbox urls to post to"""
|
||||||
# first we have to figure out who should receive this activity
|
# first we have to figure out who should receive this activity
|
||||||
privacy = self.privacy if hasattr(self, "privacy") else "public"
|
privacy = self.privacy if hasattr(self, "privacy") else "public"
|
||||||
|
@ -198,7 +199,14 @@ class ActivitypubMixin:
|
||||||
class ObjectMixin(ActivitypubMixin):
|
class ObjectMixin(ActivitypubMixin):
|
||||||
"""add this mixin for object models that are AP serializable"""
|
"""add this mixin for object models that are AP serializable"""
|
||||||
|
|
||||||
def save(self, *args, created=None, software=None, priority=BROADCAST, **kwargs):
|
def save(
|
||||||
|
self,
|
||||||
|
*args: Any,
|
||||||
|
created: Optional[bool] = None,
|
||||||
|
software: Any = None,
|
||||||
|
priority: str = BROADCAST,
|
||||||
|
**kwargs: Any,
|
||||||
|
) -> None:
|
||||||
"""broadcast created/updated/deleted objects as appropriate"""
|
"""broadcast created/updated/deleted objects as appropriate"""
|
||||||
broadcast = kwargs.get("broadcast", True)
|
broadcast = kwargs.get("broadcast", True)
|
||||||
# this bonus kwarg would cause an error in the base save method
|
# this bonus kwarg would cause an error in the base save method
|
||||||
|
@ -379,7 +387,7 @@ class CollectionItemMixin(ActivitypubMixin):
|
||||||
|
|
||||||
activity_serializer = activitypub.CollectionItem
|
activity_serializer = activitypub.CollectionItem
|
||||||
|
|
||||||
def broadcast(self, activity, sender, software="bookwyrm", queue=MEDIUM):
|
def broadcast(self, activity, sender, software="bookwyrm", queue=BROADCAST):
|
||||||
"""only send book collection updates to other bookwyrm instances"""
|
"""only send book collection updates to other bookwyrm instances"""
|
||||||
super().broadcast(activity, sender, software=software, queue=queue)
|
super().broadcast(activity, sender, software=software, queue=queue)
|
||||||
|
|
||||||
|
@ -400,7 +408,7 @@ class CollectionItemMixin(ActivitypubMixin):
|
||||||
return []
|
return []
|
||||||
return [collection_field.user]
|
return [collection_field.user]
|
||||||
|
|
||||||
def save(self, *args, broadcast=True, priority=MEDIUM, **kwargs):
|
def save(self, *args, broadcast=True, priority=BROADCAST, **kwargs):
|
||||||
"""broadcast updated"""
|
"""broadcast updated"""
|
||||||
# first off, we want to save normally no matter what
|
# first off, we want to save normally no matter what
|
||||||
super().save(*args, **kwargs)
|
super().save(*args, **kwargs)
|
||||||
|
@ -444,7 +452,7 @@ class CollectionItemMixin(ActivitypubMixin):
|
||||||
class ActivityMixin(ActivitypubMixin):
|
class ActivityMixin(ActivitypubMixin):
|
||||||
"""add this mixin for models that are AP serializable"""
|
"""add this mixin for models that are AP serializable"""
|
||||||
|
|
||||||
def save(self, *args, broadcast=True, priority=MEDIUM, **kwargs):
|
def save(self, *args, broadcast=True, priority=BROADCAST, **kwargs):
|
||||||
"""broadcast activity"""
|
"""broadcast activity"""
|
||||||
super().save(*args, **kwargs)
|
super().save(*args, **kwargs)
|
||||||
user = self.user if hasattr(self, "user") else self.user_subject
|
user = self.user if hasattr(self, "user") else self.user_subject
|
||||||
|
@ -507,14 +515,14 @@ def unfurl_related_field(related_field, sort_field=None):
|
||||||
|
|
||||||
|
|
||||||
@app.task(queue=BROADCAST)
|
@app.task(queue=BROADCAST)
|
||||||
def broadcast_task(sender_id: int, activity: str, recipients: List[str]):
|
def broadcast_task(sender_id: int, activity: str, recipients: list[str]):
|
||||||
"""the celery task for broadcast"""
|
"""the celery task for broadcast"""
|
||||||
user_model = apps.get_model("bookwyrm.User", require_ready=True)
|
user_model = apps.get_model("bookwyrm.User", require_ready=True)
|
||||||
sender = user_model.objects.select_related("key_pair").get(id=sender_id)
|
sender = user_model.objects.select_related("key_pair").get(id=sender_id)
|
||||||
asyncio.run(async_broadcast(recipients, sender, activity))
|
asyncio.run(async_broadcast(recipients, sender, activity))
|
||||||
|
|
||||||
|
|
||||||
async def async_broadcast(recipients: List[str], sender, data: str):
|
async def async_broadcast(recipients: list[str], sender, data: str):
|
||||||
"""Send all the broadcasts simultaneously"""
|
"""Send all the broadcasts simultaneously"""
|
||||||
timeout = aiohttp.ClientTimeout(total=10)
|
timeout = aiohttp.ClientTimeout(total=10)
|
||||||
async with aiohttp.ClientSession(timeout=timeout) as session:
|
async with aiohttp.ClientSession(timeout=timeout) as session:
|
||||||
|
|
|
@ -8,7 +8,7 @@ from django.db import models, transaction
|
||||||
from django.db.models import Q
|
from django.db.models import Q
|
||||||
from django.utils.translation import gettext_lazy as _
|
from django.utils.translation import gettext_lazy as _
|
||||||
|
|
||||||
from bookwyrm.tasks import app, LOW
|
from bookwyrm.tasks import app, MISC
|
||||||
from .base_model import BookWyrmModel
|
from .base_model import BookWyrmModel
|
||||||
from .user import User
|
from .user import User
|
||||||
|
|
||||||
|
@ -65,7 +65,7 @@ class AutoMod(AdminModel):
|
||||||
created_by = models.ForeignKey("User", on_delete=models.PROTECT)
|
created_by = models.ForeignKey("User", on_delete=models.PROTECT)
|
||||||
|
|
||||||
|
|
||||||
@app.task(queue=LOW)
|
@app.task(queue=MISC)
|
||||||
def automod_task():
|
def automod_task():
|
||||||
"""Create reports"""
|
"""Create reports"""
|
||||||
if not AutoMod.objects.exists():
|
if not AutoMod.objects.exists():
|
||||||
|
|
|
@ -1,5 +1,7 @@
|
||||||
""" database schema for books and shelves """
|
""" database schema for books and shelves """
|
||||||
|
from itertools import chain
|
||||||
import re
|
import re
|
||||||
|
from typing import Any
|
||||||
|
|
||||||
from django.contrib.postgres.search import SearchVectorField
|
from django.contrib.postgres.search import SearchVectorField
|
||||||
from django.contrib.postgres.indexes import GinIndex
|
from django.contrib.postgres.indexes import GinIndex
|
||||||
|
@ -13,10 +15,12 @@ from model_utils.managers import InheritanceManager
|
||||||
from imagekit.models import ImageSpecField
|
from imagekit.models import ImageSpecField
|
||||||
|
|
||||||
from bookwyrm import activitypub
|
from bookwyrm import activitypub
|
||||||
|
from bookwyrm.isbn.isbn import hyphenator_singleton as hyphenator
|
||||||
from bookwyrm.preview_images import generate_edition_preview_image_task
|
from bookwyrm.preview_images import generate_edition_preview_image_task
|
||||||
from bookwyrm.settings import (
|
from bookwyrm.settings import (
|
||||||
DOMAIN,
|
DOMAIN,
|
||||||
DEFAULT_LANGUAGE,
|
DEFAULT_LANGUAGE,
|
||||||
|
LANGUAGE_ARTICLES,
|
||||||
ENABLE_PREVIEW_IMAGES,
|
ENABLE_PREVIEW_IMAGES,
|
||||||
ENABLE_THUMBNAIL_GENERATION,
|
ENABLE_THUMBNAIL_GENERATION,
|
||||||
)
|
)
|
||||||
|
@ -88,7 +92,7 @@ class BookDataModel(ObjectMixin, BookWyrmModel):
|
||||||
|
|
||||||
abstract = True
|
abstract = True
|
||||||
|
|
||||||
def save(self, *args, **kwargs):
|
def save(self, *args: Any, **kwargs: Any) -> None:
|
||||||
"""ensure that the remote_id is within this instance"""
|
"""ensure that the remote_id is within this instance"""
|
||||||
if self.id:
|
if self.id:
|
||||||
self.remote_id = self.get_remote_id()
|
self.remote_id = self.get_remote_id()
|
||||||
|
@ -202,7 +206,7 @@ class Book(BookDataModel):
|
||||||
text += f" ({self.edition_info})"
|
text += f" ({self.edition_info})"
|
||||||
return text
|
return text
|
||||||
|
|
||||||
def save(self, *args, **kwargs):
|
def save(self, *args: Any, **kwargs: Any) -> None:
|
||||||
"""can't be abstract for query reasons, but you shouldn't USE it"""
|
"""can't be abstract for query reasons, but you shouldn't USE it"""
|
||||||
if not isinstance(self, Edition) and not isinstance(self, Work):
|
if not isinstance(self, Edition) and not isinstance(self, Work):
|
||||||
raise ValueError("Books should be added as Editions or Works")
|
raise ValueError("Books should be added as Editions or Works")
|
||||||
|
@ -318,6 +322,11 @@ class Edition(Book):
|
||||||
serialize_reverse_fields = [("file_links", "fileLinks", "-created_date")]
|
serialize_reverse_fields = [("file_links", "fileLinks", "-created_date")]
|
||||||
deserialize_reverse_fields = [("file_links", "fileLinks")]
|
deserialize_reverse_fields = [("file_links", "fileLinks")]
|
||||||
|
|
||||||
|
@property
|
||||||
|
def hyphenated_isbn13(self):
|
||||||
|
"""generate the hyphenated version of the ISBN-13"""
|
||||||
|
return hyphenator.hyphenate(self.isbn_13)
|
||||||
|
|
||||||
def get_rank(self):
|
def get_rank(self):
|
||||||
"""calculate how complete the data is on this edition"""
|
"""calculate how complete the data is on this edition"""
|
||||||
rank = 0
|
rank = 0
|
||||||
|
@ -341,7 +350,7 @@ class Edition(Book):
|
||||||
# max rank is 9
|
# max rank is 9
|
||||||
return rank
|
return rank
|
||||||
|
|
||||||
def save(self, *args, **kwargs):
|
def save(self, *args: Any, **kwargs: Any) -> None:
|
||||||
"""set some fields on the edition object"""
|
"""set some fields on the edition object"""
|
||||||
# calculate isbn 10/13
|
# calculate isbn 10/13
|
||||||
if self.isbn_13 and self.isbn_13[:3] == "978" and not self.isbn_10:
|
if self.isbn_13 and self.isbn_13[:3] == "978" and not self.isbn_10:
|
||||||
|
@ -363,8 +372,34 @@ class Edition(Book):
|
||||||
for author_id in self.authors.values_list("id", flat=True):
|
for author_id in self.authors.values_list("id", flat=True):
|
||||||
cache.delete(f"author-books-{author_id}")
|
cache.delete(f"author-books-{author_id}")
|
||||||
|
|
||||||
|
# Create sort title by removing articles from title
|
||||||
|
if self.sort_title in [None, ""]:
|
||||||
|
if self.sort_title in [None, ""]:
|
||||||
|
articles = chain(
|
||||||
|
*(
|
||||||
|
LANGUAGE_ARTICLES.get(language, ())
|
||||||
|
for language in tuple(self.languages)
|
||||||
|
)
|
||||||
|
)
|
||||||
|
self.sort_title = re.sub(
|
||||||
|
f'^{" |^".join(articles)} ', "", str(self.title).lower()
|
||||||
|
)
|
||||||
|
|
||||||
return super().save(*args, **kwargs)
|
return super().save(*args, **kwargs)
|
||||||
|
|
||||||
|
@transaction.atomic
|
||||||
|
def repair(self):
|
||||||
|
"""If an edition is in a bad state (missing a work), let's fix that"""
|
||||||
|
# made sure it actually NEEDS reapir
|
||||||
|
if self.parent_work:
|
||||||
|
return
|
||||||
|
|
||||||
|
new_work = Work.objects.create(title=self.title)
|
||||||
|
new_work.authors.set(self.authors.all())
|
||||||
|
|
||||||
|
self.parent_work = new_work
|
||||||
|
self.save(update_fields=["parent_work"], broadcast=False)
|
||||||
|
|
||||||
@classmethod
|
@classmethod
|
||||||
def viewer_aware_objects(cls, viewer):
|
def viewer_aware_objects(cls, viewer):
|
||||||
"""annotate a book query with metadata related to the user"""
|
"""annotate a book query with metadata related to the user"""
|
||||||
|
|
|
@ -61,7 +61,7 @@ class FederatedServer(BookWyrmModel):
|
||||||
).update(active=True, deactivation_reason=None)
|
).update(active=True, deactivation_reason=None)
|
||||||
|
|
||||||
@classmethod
|
@classmethod
|
||||||
def is_blocked(cls, url):
|
def is_blocked(cls, url: str) -> bool:
|
||||||
"""look up if a domain is blocked"""
|
"""look up if a domain is blocked"""
|
||||||
url = urlparse(url)
|
url = urlparse(url)
|
||||||
domain = url.netloc
|
domain = url.netloc
|
||||||
|
|
|
@ -368,10 +368,16 @@ class TagField(ManyToManyField):
|
||||||
activity_type = item.__class__.__name__
|
activity_type = item.__class__.__name__
|
||||||
if activity_type == "User":
|
if activity_type == "User":
|
||||||
activity_type = "Mention"
|
activity_type = "Mention"
|
||||||
|
|
||||||
|
if activity_type == "Hashtag":
|
||||||
|
name = item.name
|
||||||
|
else:
|
||||||
|
name = f"@{getattr(item, item.name_field)}"
|
||||||
|
|
||||||
tags.append(
|
tags.append(
|
||||||
activitypub.Link(
|
activitypub.Link(
|
||||||
href=item.remote_id,
|
href=item.remote_id,
|
||||||
name=f"@{getattr(item, item.name_field)}",
|
name=name,
|
||||||
type=activity_type,
|
type=activity_type,
|
||||||
)
|
)
|
||||||
)
|
)
|
||||||
|
|
|
@ -19,7 +19,7 @@ from bookwyrm.models import (
|
||||||
Review,
|
Review,
|
||||||
ReviewRating,
|
ReviewRating,
|
||||||
)
|
)
|
||||||
from bookwyrm.tasks import app, LOW, IMPORTS
|
from bookwyrm.tasks import app, IMPORT_TRIGGERED, IMPORTS
|
||||||
from .fields import PrivacyLevels
|
from .fields import PrivacyLevels
|
||||||
|
|
||||||
|
|
||||||
|
@ -399,7 +399,7 @@ def handle_imported_book(item):
|
||||||
shelved_date = item.date_added or timezone.now()
|
shelved_date = item.date_added or timezone.now()
|
||||||
ShelfBook(
|
ShelfBook(
|
||||||
book=item.book, shelf=desired_shelf, user=user, shelved_date=shelved_date
|
book=item.book, shelf=desired_shelf, user=user, shelved_date=shelved_date
|
||||||
).save(priority=LOW)
|
).save(priority=IMPORT_TRIGGERED)
|
||||||
|
|
||||||
for read in item.reads:
|
for read in item.reads:
|
||||||
# check for an existing readthrough with the same dates
|
# check for an existing readthrough with the same dates
|
||||||
|
@ -441,7 +441,7 @@ def handle_imported_book(item):
|
||||||
published_date=published_date_guess,
|
published_date=published_date_guess,
|
||||||
privacy=job.privacy,
|
privacy=job.privacy,
|
||||||
)
|
)
|
||||||
review.save(software="bookwyrm", priority=LOW)
|
review.save(software="bookwyrm", priority=IMPORT_TRIGGERED)
|
||||||
else:
|
else:
|
||||||
# just a rating
|
# just a rating
|
||||||
review = ReviewRating.objects.filter(
|
review = ReviewRating.objects.filter(
|
||||||
|
@ -458,7 +458,7 @@ def handle_imported_book(item):
|
||||||
published_date=published_date_guess,
|
published_date=published_date_guess,
|
||||||
privacy=job.privacy,
|
privacy=job.privacy,
|
||||||
)
|
)
|
||||||
review.save(software="bookwyrm", priority=LOW)
|
review.save(software="bookwyrm", priority=IMPORT_TRIGGERED)
|
||||||
|
|
||||||
# only broadcast this review to other bookwyrm instances
|
# only broadcast this review to other bookwyrm instances
|
||||||
item.linked_review = review
|
item.linked_review = review
|
||||||
|
|
|
@ -4,7 +4,6 @@ from django.db import models, transaction, IntegrityError
|
||||||
from django.db.models import Q
|
from django.db.models import Q
|
||||||
|
|
||||||
from bookwyrm import activitypub
|
from bookwyrm import activitypub
|
||||||
from bookwyrm.tasks import HIGH
|
|
||||||
from .activitypub_mixin import ActivitypubMixin, ActivityMixin
|
from .activitypub_mixin import ActivitypubMixin, ActivityMixin
|
||||||
from .activitypub_mixin import generate_activity
|
from .activitypub_mixin import generate_activity
|
||||||
from .base_model import BookWyrmModel
|
from .base_model import BookWyrmModel
|
||||||
|
@ -142,7 +141,7 @@ class UserFollowRequest(ActivitypubMixin, UserRelationship):
|
||||||
|
|
||||||
# a local user is following a remote user
|
# a local user is following a remote user
|
||||||
if broadcast and self.user_subject.local and not self.user_object.local:
|
if broadcast and self.user_subject.local and not self.user_object.local:
|
||||||
self.broadcast(self.to_activity(), self.user_subject, queue=HIGH)
|
self.broadcast(self.to_activity(), self.user_subject)
|
||||||
|
|
||||||
if self.user_object.local:
|
if self.user_object.local:
|
||||||
manually_approves = self.user_object.manually_approves_followers
|
manually_approves = self.user_object.manually_approves_followers
|
||||||
|
@ -166,7 +165,7 @@ class UserFollowRequest(ActivitypubMixin, UserRelationship):
|
||||||
actor=self.user_object.remote_id,
|
actor=self.user_object.remote_id,
|
||||||
object=self.to_activity(),
|
object=self.to_activity(),
|
||||||
).serialize()
|
).serialize()
|
||||||
self.broadcast(activity, user, queue=HIGH)
|
self.broadcast(activity, user)
|
||||||
if broadcast_only:
|
if broadcast_only:
|
||||||
return
|
return
|
||||||
|
|
||||||
|
@ -187,7 +186,7 @@ class UserFollowRequest(ActivitypubMixin, UserRelationship):
|
||||||
actor=self.user_object.remote_id,
|
actor=self.user_object.remote_id,
|
||||||
object=self.to_activity(),
|
object=self.to_activity(),
|
||||||
).serialize()
|
).serialize()
|
||||||
self.broadcast(activity, self.user_object, queue=HIGH)
|
self.broadcast(activity, self.user_object)
|
||||||
|
|
||||||
self.delete()
|
self.delete()
|
||||||
|
|
||||||
|
|
|
@ -7,7 +7,7 @@ from django.utils import timezone
|
||||||
|
|
||||||
from bookwyrm import activitypub
|
from bookwyrm import activitypub
|
||||||
from bookwyrm.settings import DOMAIN
|
from bookwyrm.settings import DOMAIN
|
||||||
from bookwyrm.tasks import LOW
|
from bookwyrm.tasks import BROADCAST
|
||||||
from .activitypub_mixin import CollectionItemMixin, OrderedCollectionMixin
|
from .activitypub_mixin import CollectionItemMixin, OrderedCollectionMixin
|
||||||
from .base_model import BookWyrmModel
|
from .base_model import BookWyrmModel
|
||||||
from . import fields
|
from . import fields
|
||||||
|
@ -40,7 +40,7 @@ class Shelf(OrderedCollectionMixin, BookWyrmModel):
|
||||||
|
|
||||||
activity_serializer = activitypub.Shelf
|
activity_serializer = activitypub.Shelf
|
||||||
|
|
||||||
def save(self, *args, priority=LOW, **kwargs):
|
def save(self, *args, priority=BROADCAST, **kwargs):
|
||||||
"""set the identifier"""
|
"""set the identifier"""
|
||||||
super().save(*args, priority=priority, **kwargs)
|
super().save(*args, priority=priority, **kwargs)
|
||||||
if not self.identifier:
|
if not self.identifier:
|
||||||
|
@ -100,7 +100,7 @@ class ShelfBook(CollectionItemMixin, BookWyrmModel):
|
||||||
activity_serializer = activitypub.ShelfItem
|
activity_serializer = activitypub.ShelfItem
|
||||||
collection_field = "shelf"
|
collection_field = "shelf"
|
||||||
|
|
||||||
def save(self, *args, priority=LOW, **kwargs):
|
def save(self, *args, priority=BROADCAST, **kwargs):
|
||||||
if not self.user:
|
if not self.user:
|
||||||
self.user = self.shelf.user
|
self.user = self.shelf.user
|
||||||
if self.id and self.user.local:
|
if self.id and self.user.local:
|
||||||
|
|
|
@ -20,7 +20,7 @@ from bookwyrm.models.status import Status
|
||||||
from bookwyrm.preview_images import generate_user_preview_image_task
|
from bookwyrm.preview_images import generate_user_preview_image_task
|
||||||
from bookwyrm.settings import DOMAIN, ENABLE_PREVIEW_IMAGES, USE_HTTPS, LANGUAGES
|
from bookwyrm.settings import DOMAIN, ENABLE_PREVIEW_IMAGES, USE_HTTPS, LANGUAGES
|
||||||
from bookwyrm.signatures import create_key_pair
|
from bookwyrm.signatures import create_key_pair
|
||||||
from bookwyrm.tasks import app, LOW
|
from bookwyrm.tasks import app, MISC
|
||||||
from bookwyrm.utils import regex
|
from bookwyrm.utils import regex
|
||||||
from .activitypub_mixin import OrderedCollectionPageMixin, ActivitypubMixin
|
from .activitypub_mixin import OrderedCollectionPageMixin, ActivitypubMixin
|
||||||
from .base_model import BookWyrmModel, DeactivationReason, new_access_code
|
from .base_model import BookWyrmModel, DeactivationReason, new_access_code
|
||||||
|
@ -394,6 +394,8 @@ class User(OrderedCollectionPageMixin, AbstractUser):
|
||||||
def reactivate(self):
|
def reactivate(self):
|
||||||
"""Now you want to come back, huh?"""
|
"""Now you want to come back, huh?"""
|
||||||
# pylint: disable=attribute-defined-outside-init
|
# pylint: disable=attribute-defined-outside-init
|
||||||
|
if not self.allow_reactivation:
|
||||||
|
return
|
||||||
self.is_active = True
|
self.is_active = True
|
||||||
self.deactivation_reason = None
|
self.deactivation_reason = None
|
||||||
self.allow_reactivation = False
|
self.allow_reactivation = False
|
||||||
|
@ -469,7 +471,7 @@ class KeyPair(ActivitypubMixin, BookWyrmModel):
|
||||||
return super().save(*args, **kwargs)
|
return super().save(*args, **kwargs)
|
||||||
|
|
||||||
|
|
||||||
@app.task(queue=LOW)
|
@app.task(queue=MISC)
|
||||||
def set_remote_server(user_id, allow_external_connections=False):
|
def set_remote_server(user_id, allow_external_connections=False):
|
||||||
"""figure out the user's remote server in the background"""
|
"""figure out the user's remote server in the background"""
|
||||||
user = User.objects.get(id=user_id)
|
user = User.objects.get(id=user_id)
|
||||||
|
@ -528,7 +530,7 @@ def get_or_create_remote_server(
|
||||||
return server
|
return server
|
||||||
|
|
||||||
|
|
||||||
@app.task(queue=LOW)
|
@app.task(queue=MISC)
|
||||||
def get_remote_reviews(outbox):
|
def get_remote_reviews(outbox):
|
||||||
"""ingest reviews by a new remote bookwyrm user"""
|
"""ingest reviews by a new remote bookwyrm user"""
|
||||||
outbox_page = outbox + "?page=true&type=Review"
|
outbox_page = outbox + "?page=true&type=Review"
|
||||||
|
|
|
@ -16,7 +16,7 @@ from django.core.files.storage import default_storage
|
||||||
from django.db.models import Avg
|
from django.db.models import Avg
|
||||||
|
|
||||||
from bookwyrm import models, settings
|
from bookwyrm import models, settings
|
||||||
from bookwyrm.tasks import app, LOW
|
from bookwyrm.tasks import app, IMAGES
|
||||||
|
|
||||||
logger = logging.getLogger(__name__)
|
logger = logging.getLogger(__name__)
|
||||||
|
|
||||||
|
@ -420,7 +420,7 @@ def save_and_cleanup(image, instance=None):
|
||||||
|
|
||||||
|
|
||||||
# pylint: disable=invalid-name
|
# pylint: disable=invalid-name
|
||||||
@app.task(queue=LOW)
|
@app.task(queue=IMAGES)
|
||||||
def generate_site_preview_image_task():
|
def generate_site_preview_image_task():
|
||||||
"""generate preview_image for the website"""
|
"""generate preview_image for the website"""
|
||||||
if not settings.ENABLE_PREVIEW_IMAGES:
|
if not settings.ENABLE_PREVIEW_IMAGES:
|
||||||
|
@ -445,7 +445,7 @@ def generate_site_preview_image_task():
|
||||||
|
|
||||||
|
|
||||||
# pylint: disable=invalid-name
|
# pylint: disable=invalid-name
|
||||||
@app.task(queue=LOW)
|
@app.task(queue=IMAGES)
|
||||||
def generate_edition_preview_image_task(book_id):
|
def generate_edition_preview_image_task(book_id):
|
||||||
"""generate preview_image for a book"""
|
"""generate preview_image for a book"""
|
||||||
if not settings.ENABLE_PREVIEW_IMAGES:
|
if not settings.ENABLE_PREVIEW_IMAGES:
|
||||||
|
@ -470,7 +470,7 @@ def generate_edition_preview_image_task(book_id):
|
||||||
save_and_cleanup(image, instance=book)
|
save_and_cleanup(image, instance=book)
|
||||||
|
|
||||||
|
|
||||||
@app.task(queue=LOW)
|
@app.task(queue=IMAGES)
|
||||||
def generate_user_preview_image_task(user_id):
|
def generate_user_preview_image_task(user_id):
|
||||||
"""generate preview_image for a user"""
|
"""generate preview_image for a user"""
|
||||||
if not settings.ENABLE_PREVIEW_IMAGES:
|
if not settings.ENABLE_PREVIEW_IMAGES:
|
||||||
|
@ -496,7 +496,7 @@ def generate_user_preview_image_task(user_id):
|
||||||
save_and_cleanup(image, instance=user)
|
save_and_cleanup(image, instance=user)
|
||||||
|
|
||||||
|
|
||||||
@app.task(queue=LOW)
|
@app.task(queue=IMAGES)
|
||||||
def remove_user_preview_image_task(user_id):
|
def remove_user_preview_image_task(user_id):
|
||||||
"""remove preview_image for a user"""
|
"""remove preview_image for a user"""
|
||||||
if not settings.ENABLE_PREVIEW_IMAGES:
|
if not settings.ENABLE_PREVIEW_IMAGES:
|
||||||
|
|
|
@ -12,7 +12,7 @@ from django.core.exceptions import ImproperlyConfigured
|
||||||
env = Env()
|
env = Env()
|
||||||
env.read_env()
|
env.read_env()
|
||||||
DOMAIN = env("DOMAIN")
|
DOMAIN = env("DOMAIN")
|
||||||
VERSION = "0.6.3"
|
VERSION = "0.6.4"
|
||||||
|
|
||||||
RELEASE_API = env(
|
RELEASE_API = env(
|
||||||
"RELEASE_API",
|
"RELEASE_API",
|
||||||
|
@ -22,7 +22,7 @@ RELEASE_API = env(
|
||||||
PAGE_LENGTH = env.int("PAGE_LENGTH", 15)
|
PAGE_LENGTH = env.int("PAGE_LENGTH", 15)
|
||||||
DEFAULT_LANGUAGE = env("DEFAULT_LANGUAGE", "English")
|
DEFAULT_LANGUAGE = env("DEFAULT_LANGUAGE", "English")
|
||||||
|
|
||||||
JS_CACHE = "d993847c"
|
JS_CACHE = "b972a43c"
|
||||||
|
|
||||||
# email
|
# email
|
||||||
EMAIL_BACKEND = env("EMAIL_BACKEND", "django.core.mail.backends.smtp.EmailBackend")
|
EMAIL_BACKEND = env("EMAIL_BACKEND", "django.core.mail.backends.smtp.EmailBackend")
|
||||||
|
@ -302,6 +302,7 @@ LANGUAGES = [
|
||||||
("fi-fi", _("Suomi (Finnish)")),
|
("fi-fi", _("Suomi (Finnish)")),
|
||||||
("fr-fr", _("Français (French)")),
|
("fr-fr", _("Français (French)")),
|
||||||
("lt-lt", _("Lietuvių (Lithuanian)")),
|
("lt-lt", _("Lietuvių (Lithuanian)")),
|
||||||
|
("nl-nl", _("Nederlands (Dutch)")),
|
||||||
("no-no", _("Norsk (Norwegian)")),
|
("no-no", _("Norsk (Norwegian)")),
|
||||||
("pl-pl", _("Polski (Polish)")),
|
("pl-pl", _("Polski (Polish)")),
|
||||||
("pt-br", _("Português do Brasil (Brazilian Portuguese)")),
|
("pt-br", _("Português do Brasil (Brazilian Portuguese)")),
|
||||||
|
@ -312,6 +313,9 @@ LANGUAGES = [
|
||||||
("zh-hant", _("繁體中文 (Traditional Chinese)")),
|
("zh-hant", _("繁體中文 (Traditional Chinese)")),
|
||||||
]
|
]
|
||||||
|
|
||||||
|
LANGUAGE_ARTICLES = {
|
||||||
|
"English": {"the", "a", "an"},
|
||||||
|
}
|
||||||
|
|
||||||
TIME_ZONE = "UTC"
|
TIME_ZONE = "UTC"
|
||||||
|
|
||||||
|
|
|
@ -28,3 +28,31 @@
|
||||||
.vertical-copy button {
|
.vertical-copy button {
|
||||||
width: 100%;
|
width: 100%;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
.copy-tooltip {
|
||||||
|
overflow: visible;
|
||||||
|
visibility: hidden;
|
||||||
|
width: 140px;
|
||||||
|
background-color: #555;
|
||||||
|
color: #fff;
|
||||||
|
text-align: center;
|
||||||
|
border-radius: 6px;
|
||||||
|
padding: 5px;
|
||||||
|
position: absolute;
|
||||||
|
z-index: 1;
|
||||||
|
margin-left: -30px;
|
||||||
|
margin-top: -45px;
|
||||||
|
opacity: 0;
|
||||||
|
transition: opacity 0.3s;
|
||||||
|
}
|
||||||
|
|
||||||
|
.copy-tooltip::after {
|
||||||
|
content: "";
|
||||||
|
position: absolute;
|
||||||
|
top: 100%;
|
||||||
|
left: 50%;
|
||||||
|
margin-left: -60px;
|
||||||
|
border-width: 5px;
|
||||||
|
border-style: solid;
|
||||||
|
border-color: #555 transparent transparent transparent;
|
||||||
|
}
|
||||||
|
|
Binary file not shown.
|
@ -39,6 +39,7 @@
|
||||||
<glyph unicode="" glyph-name="graphic-heart" d="M934.176 791.52c-116.128 115.072-301.824 117.472-422.112 9.216-120.32 108.256-305.952 105.856-422.144-9.216-119.712-118.528-119.712-310.688 0-429.28 34.208-33.888 353.696-350.112 353.696-350.112 37.856-37.504 99.072-37.504 136.896 0 0 0 349.824 346.304 353.696 350.112 119.744 118.592 119.744 310.752-0.032 429.28zM888.576 407.424l-353.696-350.112c-12.576-12.512-33.088-12.512-45.6 0l-353.696 350.112c-94.4 93.44-94.4 245.472 0 338.912 91.008 90.080 237.312 93.248 333.088 7.104l43.392-39.040 43.36 39.040c95.808 86.144 242.112 83.008 333.12-7.104 94.4-93.408 94.4-245.44 0.032-338.912zM296.096 719.968c8.864 0 16-7.168 16-16s-7.168-16-16-16h-0.032c-57.408 0-103.968-46.56-103.968-103.968v-0.032c0-8.832-7.168-16-16-16s-16 7.168-16 16v0c0 75.072 60.832 135.904 135.872 135.968 0.064 0 0.064 0.032 0.128 0.032z" />
|
<glyph unicode="" glyph-name="graphic-heart" d="M934.176 791.52c-116.128 115.072-301.824 117.472-422.112 9.216-120.32 108.256-305.952 105.856-422.144-9.216-119.712-118.528-119.712-310.688 0-429.28 34.208-33.888 353.696-350.112 353.696-350.112 37.856-37.504 99.072-37.504 136.896 0 0 0 349.824 346.304 353.696 350.112 119.744 118.592 119.744 310.752-0.032 429.28zM888.576 407.424l-353.696-350.112c-12.576-12.512-33.088-12.512-45.6 0l-353.696 350.112c-94.4 93.44-94.4 245.472 0 338.912 91.008 90.080 237.312 93.248 333.088 7.104l43.392-39.040 43.36 39.040c95.808 86.144 242.112 83.008 333.12-7.104 94.4-93.408 94.4-245.44 0.032-338.912zM296.096 719.968c8.864 0 16-7.168 16-16s-7.168-16-16-16h-0.032c-57.408 0-103.968-46.56-103.968-103.968v-0.032c0-8.832-7.168-16-16-16s-16 7.168-16 16v0c0 75.072 60.832 135.904 135.872 135.968 0.064 0 0.064 0.032 0.128 0.032z" />
|
||||||
<glyph unicode="" glyph-name="graphic-paperplane" d="M1009.376 954.88c-5.312 3.424-11.36 5.12-17.376 5.12-6.176 0-12.384-1.76-17.76-5.376l-960-640c-9.888-6.56-15.328-18.112-14.048-29.952 1.216-11.808 8.896-22.016 19.936-26.368l250.368-100.192 117.728-206.016c5.632-9.888 16.096-16 27.424-16.128 0.128 0 0.224 0 0.352 0 11.232 0 21.664 5.952 27.424 15.552l66.464 110.816 310.24-124.064c3.808-1.536 7.808-2.272 11.872-2.272 5.44 0 10.816 1.376 15.68 4.128 8.448 4.736 14.24 13.056 15.872 22.624l160 960c2.080 12.576-3.488 25.184-14.176 32.128zM100.352 295.136l741.6 494.432-539.2-577.184c-2.848 1.696-5.376 3.936-8.512 5.184l-193.888 77.568zM326.048 189.888c-0.064 0.128-0.16 0.192-0.224 0.32l606.176 648.8-516.768-805.184-89.184 156.064zM806.944 12.512l-273.312 109.312c-6.496 2.56-13.248 3.424-19.936 3.808l420.864 652.416-127.616-765.536z" />
|
<glyph unicode="" glyph-name="graphic-paperplane" d="M1009.376 954.88c-5.312 3.424-11.36 5.12-17.376 5.12-6.176 0-12.384-1.76-17.76-5.376l-960-640c-9.888-6.56-15.328-18.112-14.048-29.952 1.216-11.808 8.896-22.016 19.936-26.368l250.368-100.192 117.728-206.016c5.632-9.888 16.096-16 27.424-16.128 0.128 0 0.224 0 0.352 0 11.232 0 21.664 5.952 27.424 15.552l66.464 110.816 310.24-124.064c3.808-1.536 7.808-2.272 11.872-2.272 5.44 0 10.816 1.376 15.68 4.128 8.448 4.736 14.24 13.056 15.872 22.624l160 960c2.080 12.576-3.488 25.184-14.176 32.128zM100.352 295.136l741.6 494.432-539.2-577.184c-2.848 1.696-5.376 3.936-8.512 5.184l-193.888 77.568zM326.048 189.888c-0.064 0.128-0.16 0.192-0.224 0.32l606.176 648.8-516.768-805.184-89.184 156.064zM806.944 12.512l-273.312 109.312c-6.496 2.56-13.248 3.424-19.936 3.808l420.864 652.416-127.616-765.536z" />
|
||||||
<glyph unicode="" glyph-name="graphic-banknote" d="M1005.28 621.248l-320 320c-15.872 15.872-38.88 22.24-60.672 16.864-11.488-2.816-21.76-8.736-29.888-16.864-7.264-7.264-12.736-16.256-15.872-26.304-14.496-47.008-39.552-87.872-76.64-124.928-49.536-49.504-114.048-87.008-182.304-126.656-72.448-41.984-147.296-85.504-208.64-146.816-52.128-52.192-87.616-110.24-108.416-177.632-7.008-22.752-0.896-47.36 15.872-64.192l320-320c15.872-15.872 38.88-22.24 60.672-16.864 11.488 2.88 21.76 8.736 29.888 16.864 7.264 7.264 12.736 16.256 15.872 26.368 14.528 47.008 39.584 87.872 76.704 124.928 49.504 49.504 113.984 86.944 182.304 126.56 72.384 42.048 147.264 85.568 208.576 146.88 52.128 52.128 87.616 110.24 108.448 177.632 6.976 22.72 0.832 47.424-15.904 64.16zM384 0c-105.984 105.984-214.016 214.048-320 320 90.944 294.432 485.12 281.568 576 576 105.984-105.952 214.048-214.016 320.064-320-90.976-294.368-485.152-281.568-576.064-576zM625.984 483.2c-10.432 8.736-20.928 14.688-31.488 17.632-10.496 2.944-20.992 4.128-31.616 3.36-10.496-0.8-21.248-3.2-32-7.328-10.752-4.192-21.568-8.736-32.448-14.016-17.184 19.744-34.368 39.264-51.552 57.376 7.744 7.008 15.264 10.56 22.496 10.816 7.264 0.32 14.24-0.448 20.864-2.112 6.752-1.696 12.928-3.136 18.624-4.256 5.76-1.12 10.752 0.128 15.136 3.808 4.64 4 7.2 9.184 7.552 15.424 0.32 6.304-2.048 12.448-7.328 18.432-6.752 7.744-14.88 12.448-24.64 14.176-9.632 1.696-19.488 1.568-29.76-0.672-10.112-2.304-19.744-6.112-28.864-11.488s-16.448-10.88-21.888-16.256c-2.080 1.984-4.16 3.936-6.24 5.888-2.304 2.112-5.184 3.264-8.64 3.2-3.488 0-6.368-1.504-8.736-4.256-2.304-2.688-3.36-5.824-2.944-9.12 0.32-3.424 1.696-6.048 4.064-8.064 2.080-1.76 4.16-3.488 6.24-5.312-8.192-9.888-14.944-20.8-20.256-32.32-5.376-11.552-8.576-23.008-9.76-34.112-1.248-11.2-0.064-21.44 3.36-30.944 3.424-9.568 9.76-17.696 19.008-25.376 15.072-12.512 32.8-17.824 53.376-16.64 20.512 1.248 42.624 7.36 66.4 20.128 18.88-21.824 37.824-43.488 56.736-63.616-8-6.752-15.008-10.624-21.184-11.872-6.176-1.312-11.68-1.184-16.672 0.32-4.992 1.568-9.632 3.808-13.888 6.688-4.256 2.944-8.448 5.44-12.64 7.488-4.128 2.048-8.384 3.2-12.736 3.264s-8.992-2.048-14.112-6.432c-5.248-4.576-7.872-9.888-7.872-15.872 0-5.952 2.752-12 8.128-18.112 5.44-6.112 12.512-11.264 21.056-15.328s18.208-6.624 28.832-7.328c10.624-0.736 21.824 0.864 33.632 5.248 11.872 4.32 23.616 12.128 35.2 23.744 5.568-5.44 11.2-10.624 16.8-15.616 2.368-2.048 5.248-3.072 8.736-2.816 3.36 0.128 6.304 1.696 8.64 4.512 2.368 2.88 3.36 6.048 3.008 9.376-0.32 3.36-1.696 5.952-4 7.808-5.632 4.512-11.264 9.248-16.864 14.24 9.568 11.744 17.248 24.128 22.944 36.384 5.696 12.32 9.056 24.192 10.176 35.2 1.12 11.072-0.192 21.056-3.808 30.112-3.584 9.184-9.952 17.056-19.072 24.64zM447.072 461.504c-9.056-0.384-16.96 2.624-23.872 9.312-2.944 2.816-4.992 6.24-6.24 10.304-1.312 4.064-1.76 8.512-1.248 13.376 0.448 4.8 1.888 9.824 4.384 14.88 2.368 5.056 5.888 10.112 10.368 15.008 16.224-16.128 32.416-33.824 48.64-52.128-12.288-6.752-22.976-10.368-32.032-10.752zM598.016 397.44c-2.88-5.312-6.176-10.048-10.048-14.176-17.952 18.112-35.872 38.016-53.76 58.432 4.576 2.048 9.376 4.192 14.56 6.368s10.368 3.616 15.552 4.512c5.312 0.8 10.56 0.576 15.808-0.672 5.184-1.312 10.112-4.128 14.688-8.576 4.512-4.512 7.36-9.184 8.512-14.24 1.248-5.12 1.312-10.304 0.448-15.616-0.928-5.344-2.816-10.656-5.76-16.032zM470.944 250.24c6.304 5.088 15.584 4.832 21.376-1.056 6.272-6.24 6.272-16.448 0-22.688-0.512-0.512-1.056-0.864-1.632-1.312l0.064-0.064c-20.256-15.392-36.896-29.248-54.848-47.2-16.224-16.192-30.88-33.248-43.552-50.56l-20.448-28c-0.64-1.152-1.408-2.208-2.368-3.2-6.272-6.24-16.48-6.24-22.72 0-5.44 5.44-6.112 13.824-2.112 20.064l-0.064 0.064 21.888 29.888c13.664 18.688 29.376 36.992 46.752 54.368 18.080 18.144 37.6 34.336 57.6 49.696h0.064zM588.096 713.12c16.192 16.192 30.816 33.184 43.52 50.592l21.248 29.12c0.768 1.376 1.632 2.752 2.816 3.936 6.304 6.304 16.512 6.304 22.816 0 5.984-6.016 6.24-15.52 0.8-21.888l0.064-0.064-21.888-30.016c-13.696-18.688-29.376-36.928-46.752-54.304-18.080-18.080-37.568-34.336-57.568-49.696l-0.128 0.064c-6.368-5.856-16.256-5.728-22.368 0.448-6.304 6.304-6.304 16.576 0 22.88 1.12 1.184 2.432 2.016 3.744 2.752 18.816 14.368 36.96 29.44 53.696 46.176z" />
|
<glyph unicode="" glyph-name="graphic-banknote" d="M1005.28 621.248l-320 320c-15.872 15.872-38.88 22.24-60.672 16.864-11.488-2.816-21.76-8.736-29.888-16.864-7.264-7.264-12.736-16.256-15.872-26.304-14.496-47.008-39.552-87.872-76.64-124.928-49.536-49.504-114.048-87.008-182.304-126.656-72.448-41.984-147.296-85.504-208.64-146.816-52.128-52.192-87.616-110.24-108.416-177.632-7.008-22.752-0.896-47.36 15.872-64.192l320-320c15.872-15.872 38.88-22.24 60.672-16.864 11.488 2.88 21.76 8.736 29.888 16.864 7.264 7.264 12.736 16.256 15.872 26.368 14.528 47.008 39.584 87.872 76.704 124.928 49.504 49.504 113.984 86.944 182.304 126.56 72.384 42.048 147.264 85.568 208.576 146.88 52.128 52.128 87.616 110.24 108.448 177.632 6.976 22.72 0.832 47.424-15.904 64.16zM384 0c-105.984 105.984-214.016 214.048-320 320 90.944 294.432 485.12 281.568 576 576 105.984-105.952 214.048-214.016 320.064-320-90.976-294.368-485.152-281.568-576.064-576zM625.984 483.2c-10.432 8.736-20.928 14.688-31.488 17.632-10.496 2.944-20.992 4.128-31.616 3.36-10.496-0.8-21.248-3.2-32-7.328-10.752-4.192-21.568-8.736-32.448-14.016-17.184 19.744-34.368 39.264-51.552 57.376 7.744 7.008 15.264 10.56 22.496 10.816 7.264 0.32 14.24-0.448 20.864-2.112 6.752-1.696 12.928-3.136 18.624-4.256 5.76-1.12 10.752 0.128 15.136 3.808 4.64 4 7.2 9.184 7.552 15.424 0.32 6.304-2.048 12.448-7.328 18.432-6.752 7.744-14.88 12.448-24.64 14.176-9.632 1.696-19.488 1.568-29.76-0.672-10.112-2.304-19.744-6.112-28.864-11.488s-16.448-10.88-21.888-16.256c-2.080 1.984-4.16 3.936-6.24 5.888-2.304 2.112-5.184 3.264-8.64 3.2-3.488 0-6.368-1.504-8.736-4.256-2.304-2.688-3.36-5.824-2.944-9.12 0.32-3.424 1.696-6.048 4.064-8.064 2.080-1.76 4.16-3.488 6.24-5.312-8.192-9.888-14.944-20.8-20.256-32.32-5.376-11.552-8.576-23.008-9.76-34.112-1.248-11.2-0.064-21.44 3.36-30.944 3.424-9.568 9.76-17.696 19.008-25.376 15.072-12.512 32.8-17.824 53.376-16.64 20.512 1.248 42.624 7.36 66.4 20.128 18.88-21.824 37.824-43.488 56.736-63.616-8-6.752-15.008-10.624-21.184-11.872-6.176-1.312-11.68-1.184-16.672 0.32-4.992 1.568-9.632 3.808-13.888 6.688-4.256 2.944-8.448 5.44-12.64 7.488-4.128 2.048-8.384 3.2-12.736 3.264s-8.992-2.048-14.112-6.432c-5.248-4.576-7.872-9.888-7.872-15.872 0-5.952 2.752-12 8.128-18.112 5.44-6.112 12.512-11.264 21.056-15.328s18.208-6.624 28.832-7.328c10.624-0.736 21.824 0.864 33.632 5.248 11.872 4.32 23.616 12.128 35.2 23.744 5.568-5.44 11.2-10.624 16.8-15.616 2.368-2.048 5.248-3.072 8.736-2.816 3.36 0.128 6.304 1.696 8.64 4.512 2.368 2.88 3.36 6.048 3.008 9.376-0.32 3.36-1.696 5.952-4 7.808-5.632 4.512-11.264 9.248-16.864 14.24 9.568 11.744 17.248 24.128 22.944 36.384 5.696 12.32 9.056 24.192 10.176 35.2 1.12 11.072-0.192 21.056-3.808 30.112-3.584 9.184-9.952 17.056-19.072 24.64zM447.072 461.504c-9.056-0.384-16.96 2.624-23.872 9.312-2.944 2.816-4.992 6.24-6.24 10.304-1.312 4.064-1.76 8.512-1.248 13.376 0.448 4.8 1.888 9.824 4.384 14.88 2.368 5.056 5.888 10.112 10.368 15.008 16.224-16.128 32.416-33.824 48.64-52.128-12.288-6.752-22.976-10.368-32.032-10.752zM598.016 397.44c-2.88-5.312-6.176-10.048-10.048-14.176-17.952 18.112-35.872 38.016-53.76 58.432 4.576 2.048 9.376 4.192 14.56 6.368s10.368 3.616 15.552 4.512c5.312 0.8 10.56 0.576 15.808-0.672 5.184-1.312 10.112-4.128 14.688-8.576 4.512-4.512 7.36-9.184 8.512-14.24 1.248-5.12 1.312-10.304 0.448-15.616-0.928-5.344-2.816-10.656-5.76-16.032zM470.944 250.24c6.304 5.088 15.584 4.832 21.376-1.056 6.272-6.24 6.272-16.448 0-22.688-0.512-0.512-1.056-0.864-1.632-1.312l0.064-0.064c-20.256-15.392-36.896-29.248-54.848-47.2-16.224-16.192-30.88-33.248-43.552-50.56l-20.448-28c-0.64-1.152-1.408-2.208-2.368-3.2-6.272-6.24-16.48-6.24-22.72 0-5.44 5.44-6.112 13.824-2.112 20.064l-0.064 0.064 21.888 29.888c13.664 18.688 29.376 36.992 46.752 54.368 18.080 18.144 37.6 34.336 57.6 49.696h0.064zM588.096 713.12c16.192 16.192 30.816 33.184 43.52 50.592l21.248 29.12c0.768 1.376 1.632 2.752 2.816 3.936 6.304 6.304 16.512 6.304 22.816 0 5.984-6.016 6.24-15.52 0.8-21.888l0.064-0.064-21.888-30.016c-13.696-18.688-29.376-36.928-46.752-54.304-18.080-18.080-37.568-34.336-57.568-49.696l-0.128 0.064c-6.368-5.856-16.256-5.728-22.368 0.448-6.304 6.304-6.304 16.576 0 22.88 1.12 1.184 2.432 2.016 3.744 2.752 18.816 14.368 36.96 29.44 53.696 46.176z" />
|
||||||
|
<glyph unicode="" glyph-name="copy" d="M640 704v256h-448l-192-192v-576h384v-256h640v768h-384zM192 869.49v-101.49h-101.49l101.49 101.49zM64 256v448h192v192h320v-192l-192-192v-256h-320zM576 613.49v-101.49h-101.49l101.49 101.49zM960 0h-512v448h192v192h320v-640z" />
|
||||||
<glyph unicode="" glyph-name="barcode" d="M0 832h128v-640h-128zM192 832h64v-640h-64zM320 832h64v-640h-64zM512 832h64v-640h-64zM768 832h64v-640h-64zM960 832h64v-640h-64zM640 832h32v-640h-32zM448 832h32v-640h-32zM864 832h32v-640h-32zM0 128h64v-64h-64zM192 128h64v-64h-64zM320 128h64v-64h-64zM640 128h64v-64h-64zM960 128h64v-64h-64zM768 128h128v-64h-128zM448 128h128v-64h-128z" />
|
<glyph unicode="" glyph-name="barcode" d="M0 832h128v-640h-128zM192 832h64v-640h-64zM320 832h64v-640h-64zM512 832h64v-640h-64zM768 832h64v-640h-64zM960 832h64v-640h-64zM640 832h32v-640h-32zM448 832h32v-640h-32zM864 832h32v-640h-32zM0 128h64v-64h-64zM192 128h64v-64h-64zM320 128h64v-64h-64zM640 128h64v-64h-64zM960 128h64v-64h-64zM768 128h128v-64h-128zM448 128h128v-64h-128z" />
|
||||||
<glyph unicode="" glyph-name="spinner" d="M384 832c0 70.692 57.308 128 128 128s128-57.308 128-128c0-70.692-57.308-128-128-128s-128 57.308-128 128zM655.53 719.53c0 70.692 57.308 128 128 128s128-57.308 128-128c0-70.692-57.308-128-128-128s-128 57.308-128 128zM832 448c0 35.346 28.654 64 64 64s64-28.654 64-64c0-35.346-28.654-64-64-64s-64 28.654-64 64zM719.53 176.47c0 35.346 28.654 64 64 64s64-28.654 64-64c0-35.346-28.654-64-64-64s-64 28.654-64 64zM448.002 64c0 0 0 0 0 0 0 35.346 28.654 64 64 64s64-28.654 64-64c0 0 0 0 0 0 0-35.346-28.654-64-64-64s-64 28.654-64 64zM176.472 176.47c0 0 0 0 0 0 0 35.346 28.654 64 64 64s64-28.654 64-64c0 0 0 0 0 0 0-35.346-28.654-64-64-64s-64 28.654-64 64zM144.472 719.53c0 0 0 0 0 0 0 53.019 42.981 96 96 96s96-42.981 96-96c0 0 0 0 0 0 0-53.019-42.981-96-96-96s-96 42.981-96 96zM56 448c0 39.765 32.235 72 72 72s72-32.235 72-72c0-39.765-32.235-72-72-72s-72 32.235-72 72z" />
|
<glyph unicode="" glyph-name="spinner" d="M384 832c0 70.692 57.308 128 128 128s128-57.308 128-128c0-70.692-57.308-128-128-128s-128 57.308-128 128zM655.53 719.53c0 70.692 57.308 128 128 128s128-57.308 128-128c0-70.692-57.308-128-128-128s-128 57.308-128 128zM832 448c0 35.346 28.654 64 64 64s64-28.654 64-64c0-35.346-28.654-64-64-64s-64 28.654-64 64zM719.53 176.47c0 35.346 28.654 64 64 64s64-28.654 64-64c0-35.346-28.654-64-64-64s-64 28.654-64 64zM448.002 64c0 0 0 0 0 0 0 35.346 28.654 64 64 64s64-28.654 64-64c0 0 0 0 0 0 0-35.346-28.654-64-64-64s-64 28.654-64 64zM176.472 176.47c0 0 0 0 0 0 0 35.346 28.654 64 64 64s64-28.654 64-64c0 0 0 0 0 0 0-35.346-28.654-64-64-64s-64 28.654-64 64zM144.472 719.53c0 0 0 0 0 0 0 53.019 42.981 96 96 96s96-42.981 96-96c0 0 0 0 0 0 0-53.019-42.981-96-96-96s-96 42.981-96 96zM56 448c0 39.765 32.235 72 72 72s72-32.235 72-72c0-39.765-32.235-72-72-72s-72 32.235-72 72z" />
|
||||||
<glyph unicode="" glyph-name="search" d="M992.262 88.604l-242.552 206.294c-25.074 22.566-51.89 32.926-73.552 31.926 57.256 67.068 91.842 154.078 91.842 249.176 0 212.078-171.922 384-384 384-212.076 0-384-171.922-384-384s171.922-384 384-384c95.098 0 182.108 34.586 249.176 91.844-1-21.662 9.36-48.478 31.926-73.552l206.294-242.552c35.322-39.246 93.022-42.554 128.22-7.356s31.892 92.898-7.354 128.22zM384 320c-141.384 0-256 114.616-256 256s114.616 256 256 256 256-114.616 256-256-114.614-256-256-256z" />
|
<glyph unicode="" glyph-name="search" d="M992.262 88.604l-242.552 206.294c-25.074 22.566-51.89 32.926-73.552 31.926 57.256 67.068 91.842 154.078 91.842 249.176 0 212.078-171.922 384-384 384-212.076 0-384-171.922-384-384s171.922-384 384-384c95.098 0 182.108 34.586 249.176 91.844-1-21.662 9.36-48.478 31.926-73.552l206.294-242.552c35.322-39.246 93.022-42.554 128.22-7.356s31.892 92.898-7.354 128.22zM384 320c-141.384 0-256 114.616-256 256s114.616 256 256 256 256-114.616 256-256-114.614-256-256-256z" />
|
||||||
|
|
Before Width: | Height: | Size: 34 KiB After Width: | Height: | Size: 34 KiB |
Binary file not shown.
Binary file not shown.
13
bookwyrm/static/css/vendor/icons.css
vendored
13
bookwyrm/static/css/vendor/icons.css
vendored
|
@ -1,10 +1,10 @@
|
||||||
@font-face {
|
@font-face {
|
||||||
font-family: 'icomoon';
|
font-family: 'icomoon';
|
||||||
src: url('../fonts/icomoon.eot?r7jc98');
|
src: url('../fonts/icomoon.eot?nr4nq7');
|
||||||
src: url('../fonts/icomoon.eot?r7jc98#iefix') format('embedded-opentype'),
|
src: url('../fonts/icomoon.eot?nr4nq7#iefix') format('embedded-opentype'),
|
||||||
url('../fonts/icomoon.ttf?r7jc98') format('truetype'),
|
url('../fonts/icomoon.ttf?nr4nq7') format('truetype'),
|
||||||
url('../fonts/icomoon.woff?r7jc98') format('woff'),
|
url('../fonts/icomoon.woff?nr4nq7') format('woff'),
|
||||||
url('../fonts/icomoon.svg?r7jc98#icomoon') format('svg');
|
url('../fonts/icomoon.svg?nr4nq7#icomoon') format('svg');
|
||||||
font-weight: normal;
|
font-weight: normal;
|
||||||
font-style: normal;
|
font-style: normal;
|
||||||
font-display: block;
|
font-display: block;
|
||||||
|
@ -122,6 +122,9 @@
|
||||||
.icon-graphic-banknote:before {
|
.icon-graphic-banknote:before {
|
||||||
content: "\e920";
|
content: "\e920";
|
||||||
}
|
}
|
||||||
|
.icon-copy:before {
|
||||||
|
content: "\e92c";
|
||||||
|
}
|
||||||
.icon-search:before {
|
.icon-search:before {
|
||||||
content: "\e986";
|
content: "\e986";
|
||||||
}
|
}
|
||||||
|
|
|
@ -65,6 +65,9 @@ let BookWyrm = new (class {
|
||||||
.querySelectorAll('input[type="file"]')
|
.querySelectorAll('input[type="file"]')
|
||||||
.forEach(bookwyrm.disableIfTooLarge.bind(bookwyrm));
|
.forEach(bookwyrm.disableIfTooLarge.bind(bookwyrm));
|
||||||
document.querySelectorAll("[data-copytext]").forEach(bookwyrm.copyText.bind(bookwyrm));
|
document.querySelectorAll("[data-copytext]").forEach(bookwyrm.copyText.bind(bookwyrm));
|
||||||
|
document
|
||||||
|
.querySelectorAll("[data-copywithtooltip]")
|
||||||
|
.forEach(bookwyrm.copyWithTooltip.bind(bookwyrm));
|
||||||
document
|
document
|
||||||
.querySelectorAll(".modal.is-active")
|
.querySelectorAll(".modal.is-active")
|
||||||
.forEach(bookwyrm.handleActiveModal.bind(bookwyrm));
|
.forEach(bookwyrm.handleActiveModal.bind(bookwyrm));
|
||||||
|
@ -524,6 +527,21 @@ let BookWyrm = new (class {
|
||||||
textareaEl.parentNode.appendChild(copyButtonEl);
|
textareaEl.parentNode.appendChild(copyButtonEl);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
copyWithTooltip(copyButtonEl) {
|
||||||
|
const text = document.getElementById(copyButtonEl.dataset.contentId).innerHTML;
|
||||||
|
const tooltipEl = document.getElementById(copyButtonEl.dataset.tooltipId);
|
||||||
|
|
||||||
|
copyButtonEl.addEventListener("click", () => {
|
||||||
|
navigator.clipboard.writeText(text);
|
||||||
|
tooltipEl.style.visibility = "visible";
|
||||||
|
tooltipEl.style.opacity = 1;
|
||||||
|
setTimeout(function () {
|
||||||
|
tooltipEl.style.visibility = "hidden";
|
||||||
|
tooltipEl.style.opacity = 0;
|
||||||
|
}, 3000);
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Handle the details dropdown component.
|
* Handle the details dropdown component.
|
||||||
*
|
*
|
||||||
|
|
|
@ -8,7 +8,7 @@ from opentelemetry import trace
|
||||||
|
|
||||||
from bookwyrm import models
|
from bookwyrm import models
|
||||||
from bookwyrm.redis_store import RedisStore, r
|
from bookwyrm.redis_store import RedisStore, r
|
||||||
from bookwyrm.tasks import app, LOW, MEDIUM
|
from bookwyrm.tasks import app, SUGGESTED_USERS
|
||||||
from bookwyrm.telemetry import open_telemetry
|
from bookwyrm.telemetry import open_telemetry
|
||||||
|
|
||||||
|
|
||||||
|
@ -244,20 +244,20 @@ def domain_level_update(sender, instance, created, update_fields=None, **kwargs)
|
||||||
# ------------------- TASKS
|
# ------------------- TASKS
|
||||||
|
|
||||||
|
|
||||||
@app.task(queue=LOW)
|
@app.task(queue=SUGGESTED_USERS)
|
||||||
def rerank_suggestions_task(user_id):
|
def rerank_suggestions_task(user_id):
|
||||||
"""do the hard work in celery"""
|
"""do the hard work in celery"""
|
||||||
suggested_users.rerank_user_suggestions(user_id)
|
suggested_users.rerank_user_suggestions(user_id)
|
||||||
|
|
||||||
|
|
||||||
@app.task(queue=LOW)
|
@app.task(queue=SUGGESTED_USERS)
|
||||||
def rerank_user_task(user_id, update_only=False):
|
def rerank_user_task(user_id, update_only=False):
|
||||||
"""do the hard work in celery"""
|
"""do the hard work in celery"""
|
||||||
user = models.User.objects.get(id=user_id)
|
user = models.User.objects.get(id=user_id)
|
||||||
suggested_users.rerank_obj(user, update_only=update_only)
|
suggested_users.rerank_obj(user, update_only=update_only)
|
||||||
|
|
||||||
|
|
||||||
@app.task(queue=LOW)
|
@app.task(queue=SUGGESTED_USERS)
|
||||||
def remove_user_task(user_id):
|
def remove_user_task(user_id):
|
||||||
"""do the hard work in celery"""
|
"""do the hard work in celery"""
|
||||||
user = models.User.objects.get(id=user_id)
|
user = models.User.objects.get(id=user_id)
|
||||||
|
@ -266,14 +266,14 @@ def remove_user_task(user_id):
|
||||||
)
|
)
|
||||||
|
|
||||||
|
|
||||||
@app.task(queue=MEDIUM)
|
@app.task(queue=SUGGESTED_USERS)
|
||||||
def remove_suggestion_task(user_id, suggested_user_id):
|
def remove_suggestion_task(user_id, suggested_user_id):
|
||||||
"""remove a specific user from a specific user's suggestions"""
|
"""remove a specific user from a specific user's suggestions"""
|
||||||
suggested_user = models.User.objects.get(id=suggested_user_id)
|
suggested_user = models.User.objects.get(id=suggested_user_id)
|
||||||
suggested_users.remove_suggestion(user_id, suggested_user)
|
suggested_users.remove_suggestion(user_id, suggested_user)
|
||||||
|
|
||||||
|
|
||||||
@app.task(queue=LOW)
|
@app.task(queue=SUGGESTED_USERS)
|
||||||
def bulk_remove_instance_task(instance_id):
|
def bulk_remove_instance_task(instance_id):
|
||||||
"""remove a bunch of users from recs"""
|
"""remove a bunch of users from recs"""
|
||||||
for user in models.User.objects.filter(federated_server__id=instance_id):
|
for user in models.User.objects.filter(federated_server__id=instance_id):
|
||||||
|
@ -282,7 +282,7 @@ def bulk_remove_instance_task(instance_id):
|
||||||
)
|
)
|
||||||
|
|
||||||
|
|
||||||
@app.task(queue=LOW)
|
@app.task(queue=SUGGESTED_USERS)
|
||||||
def bulk_add_instance_task(instance_id):
|
def bulk_add_instance_task(instance_id):
|
||||||
"""remove a bunch of users from recs"""
|
"""remove a bunch of users from recs"""
|
||||||
for user in models.User.objects.filter(federated_server__id=instance_id):
|
for user in models.User.objects.filter(federated_server__id=instance_id):
|
||||||
|
|
|
@ -10,11 +10,19 @@ app = Celery(
|
||||||
"tasks", broker=settings.CELERY_BROKER_URL, backend=settings.CELERY_RESULT_BACKEND
|
"tasks", broker=settings.CELERY_BROKER_URL, backend=settings.CELERY_RESULT_BACKEND
|
||||||
)
|
)
|
||||||
|
|
||||||
# priorities
|
# priorities - for backwards compatibility, will be removed next release
|
||||||
LOW = "low_priority"
|
LOW = "low_priority"
|
||||||
MEDIUM = "medium_priority"
|
MEDIUM = "medium_priority"
|
||||||
HIGH = "high_priority"
|
HIGH = "high_priority"
|
||||||
# import items get their own queue because they're such a pain in the ass
|
|
||||||
|
STREAMS = "streams"
|
||||||
|
IMAGES = "images"
|
||||||
|
SUGGESTED_USERS = "suggested_users"
|
||||||
|
EMAIL = "email"
|
||||||
|
CONNECTORS = "connectors"
|
||||||
|
LISTS = "lists"
|
||||||
|
INBOX = "inbox"
|
||||||
IMPORTS = "imports"
|
IMPORTS = "imports"
|
||||||
# I keep making more queues?? this one broadcasting out
|
IMPORT_TRIGGERED = "import_triggered"
|
||||||
BROADCAST = "broadcast"
|
BROADCAST = "broadcast"
|
||||||
|
MISC = "misc"
|
||||||
|
|
|
@ -1,6 +1,6 @@
|
||||||
from opentelemetry import trace
|
from opentelemetry import trace
|
||||||
from opentelemetry.exporter.otlp.proto.grpc.trace_exporter import OTLPSpanExporter
|
from opentelemetry.exporter.otlp.proto.grpc.trace_exporter import OTLPSpanExporter
|
||||||
from opentelemetry.sdk.trace import TracerProvider
|
from opentelemetry.sdk.trace import TracerProvider, Tracer
|
||||||
from opentelemetry.sdk.trace.export import BatchSpanProcessor, ConsoleSpanExporter
|
from opentelemetry.sdk.trace.export import BatchSpanProcessor, ConsoleSpanExporter
|
||||||
|
|
||||||
from bookwyrm import settings
|
from bookwyrm import settings
|
||||||
|
@ -16,19 +16,19 @@ elif settings.OTEL_EXPORTER_OTLP_ENDPOINT:
|
||||||
)
|
)
|
||||||
|
|
||||||
|
|
||||||
def instrumentDjango():
|
def instrumentDjango() -> None:
|
||||||
from opentelemetry.instrumentation.django import DjangoInstrumentor
|
from opentelemetry.instrumentation.django import DjangoInstrumentor
|
||||||
|
|
||||||
DjangoInstrumentor().instrument()
|
DjangoInstrumentor().instrument()
|
||||||
|
|
||||||
|
|
||||||
def instrumentPostgres():
|
def instrumentPostgres() -> None:
|
||||||
from opentelemetry.instrumentation.psycopg2 import Psycopg2Instrumentor
|
from opentelemetry.instrumentation.psycopg2 import Psycopg2Instrumentor
|
||||||
|
|
||||||
Psycopg2Instrumentor().instrument()
|
Psycopg2Instrumentor().instrument()
|
||||||
|
|
||||||
|
|
||||||
def instrumentCelery():
|
def instrumentCelery() -> None:
|
||||||
from opentelemetry.instrumentation.celery import CeleryInstrumentor
|
from opentelemetry.instrumentation.celery import CeleryInstrumentor
|
||||||
from celery.signals import worker_process_init
|
from celery.signals import worker_process_init
|
||||||
|
|
||||||
|
@ -37,5 +37,5 @@ def instrumentCelery():
|
||||||
CeleryInstrumentor().instrument()
|
CeleryInstrumentor().instrument()
|
||||||
|
|
||||||
|
|
||||||
def tracer():
|
def tracer() -> Tracer:
|
||||||
return trace.get_tracer(__name__)
|
return trace.get_tracer(__name__)
|
||||||
|
|
|
@ -4,42 +4,50 @@
|
||||||
{% if book.isbn_13 or book.oclc_number or book.asin or book.aasin or book.isfdb %}
|
{% if book.isbn_13 or book.oclc_number or book.asin or book.aasin or book.isfdb %}
|
||||||
<dl>
|
<dl>
|
||||||
{% if book.isbn_13 %}
|
{% if book.isbn_13 %}
|
||||||
<div class="is-flex">
|
<div class="is-flex is-flex-wrap-wrap">
|
||||||
<dt class="mr-1">{% trans "ISBN:" %}</dt>
|
<dt class="mr-1">{% trans "ISBN:" %}</dt>
|
||||||
<dd itemprop="isbn">{{ book.isbn_13 }}</dd>
|
<dd itemprop="isbn" class="mr-1" id="isbn_content">{{ book.hyphenated_isbn13 }}</dd>
|
||||||
|
<div>
|
||||||
|
<button class="button is-small" data-copywithtooltip data-content-id="isbn_content" data-tooltip-id="isbn_tooltip">
|
||||||
|
<span class="icon icon-copy" title="{% trans "Copy ISBN" %}">
|
||||||
|
<span class="is-sr-only">{% trans "Copy ISBN" %}</span>
|
||||||
|
</span>
|
||||||
|
</button>
|
||||||
|
<span class="copy-tooltip" id="isbn_tooltip">{% trans "Copied ISBN!" %}</span>
|
||||||
|
</div>
|
||||||
</div>
|
</div>
|
||||||
{% endif %}
|
{% endif %}
|
||||||
|
|
||||||
{% if book.oclc_number %}
|
{% if book.oclc_number %}
|
||||||
<div class="is-flex">
|
<div class="is-flex is-flex-wrap-wrap">
|
||||||
<dt class="mr-1">{% trans "OCLC Number:" %}</dt>
|
<dt class="mr-1">{% trans "OCLC Number:" %}</dt>
|
||||||
<dd>{{ book.oclc_number }}</dd>
|
<dd>{{ book.oclc_number }}</dd>
|
||||||
</div>
|
</div>
|
||||||
{% endif %}
|
{% endif %}
|
||||||
|
|
||||||
{% if book.asin %}
|
{% if book.asin %}
|
||||||
<div class="is-flex">
|
<div class="is-flex is-flex-wrap-wrap">
|
||||||
<dt class="mr-1">{% trans "ASIN:" %}</dt>
|
<dt class="mr-1">{% trans "ASIN:" %}</dt>
|
||||||
<dd>{{ book.asin }}</dd>
|
<dd>{{ book.asin }}</dd>
|
||||||
</div>
|
</div>
|
||||||
{% endif %}
|
{% endif %}
|
||||||
|
|
||||||
{% if book.aasin %}
|
{% if book.aasin %}
|
||||||
<div class="is-flex">
|
<div class="is-flex is-flex-wrap-wrap">
|
||||||
<dt class="mr-1">{% trans "Audible ASIN:" %}</dt>
|
<dt class="mr-1">{% trans "Audible ASIN:" %}</dt>
|
||||||
<dd>{{ book.aasin }}</dd>
|
<dd>{{ book.aasin }}</dd>
|
||||||
</div>
|
</div>
|
||||||
{% endif %}
|
{% endif %}
|
||||||
|
|
||||||
{% if book.isfdb %}
|
{% if book.isfdb %}
|
||||||
<div class="is-flex">
|
<div class="is-flex is-flex-wrap-wrap">
|
||||||
<dt class="mr-1">{% trans "ISFDB ID:" %}</dt>
|
<dt class="mr-1">{% trans "ISFDB ID:" %}</dt>
|
||||||
<dd>{{ book.isfdb }}</dd>
|
<dd>{{ book.isfdb }}</dd>
|
||||||
</div>
|
</div>
|
||||||
{% endif %}
|
{% endif %}
|
||||||
|
|
||||||
{% if book.goodreads_key %}
|
{% if book.goodreads_key %}
|
||||||
<div class="is-flex">
|
<div class="is-flex is-flex-wrap-wrap">
|
||||||
<dt class="mr-1">{% trans "Goodreads:" %}</dt>
|
<dt class="mr-1">{% trans "Goodreads:" %}</dt>
|
||||||
<dd>{{ book.goodreads_key }}</dd>
|
<dd>{{ book.goodreads_key }}</dd>
|
||||||
</div>
|
</div>
|
||||||
|
|
|
@ -111,11 +111,11 @@
|
||||||
{% endif %}
|
{% endif %}
|
||||||
{% endfor %}
|
{% endfor %}
|
||||||
</div>
|
</div>
|
||||||
{% else %}
|
{% elif add_author %}
|
||||||
<p class="column is-half">{% blocktrans with name=add_author %}Creating a new author: {{ name }}{% endblocktrans %}</p>
|
<p class="column is-half">{% blocktrans with name=add_author %}Creating a new author: {{ name }}{% endblocktrans %}</p>
|
||||||
{% endif %}
|
{% endif %}
|
||||||
|
|
||||||
{% if not book %}
|
{% if not book.parent_work %}
|
||||||
<div class="column is-half">
|
<div class="column is-half">
|
||||||
<fieldset>
|
<fieldset>
|
||||||
<legend class="title is-5 mb-1">
|
<legend class="title is-5 mb-1">
|
||||||
|
|
|
@ -10,7 +10,9 @@
|
||||||
{% csrf_token %}
|
{% csrf_token %}
|
||||||
|
|
||||||
<input type="hidden" name="last_edited_by" value="{{ request.user.id }}">
|
<input type="hidden" name="last_edited_by" value="{{ request.user.id }}">
|
||||||
|
{% if form.parent_work %}
|
||||||
<input type="hidden" name="parent_work" value="{% firstof book.parent_work.id form.parent_work %}">
|
<input type="hidden" name="parent_work" value="{% firstof book.parent_work.id form.parent_work %}">
|
||||||
|
{% endif %}
|
||||||
|
|
||||||
<div class="columns">
|
<div class="columns">
|
||||||
<div class="column is-half">
|
<div class="column is-half">
|
||||||
|
@ -28,6 +30,15 @@
|
||||||
{% include 'snippets/form_errors.html' with errors_list=form.title.errors id="desc_title" %}
|
{% include 'snippets/form_errors.html' with errors_list=form.title.errors id="desc_title" %}
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
|
<div class="field">
|
||||||
|
<label class="label" for="id_sort_title">
|
||||||
|
{% trans "Sort Title:" %}
|
||||||
|
</label>
|
||||||
|
<input type="text" name="sort_title" value="{{ form.sort_title.value|default:'' }}" maxlength="255" class="input" required="" id="id_sort_title" aria-describedby="desc_sort_title">
|
||||||
|
|
||||||
|
{% include 'snippets/form_errors.html' with errors_list=form.sort_title.errors id="desc_sort_title" %}
|
||||||
|
</div>
|
||||||
|
|
||||||
<div class="field">
|
<div class="field">
|
||||||
<label class="label" for="id_subtitle">
|
<label class="label" for="id_subtitle">
|
||||||
{% trans "Subtitle:" %}
|
{% trans "Subtitle:" %}
|
||||||
|
|
|
@ -58,6 +58,7 @@
|
||||||
<form action="{% url 'create-book-data' %}" method="POST" name="add-edition-form">
|
<form action="{% url 'create-book-data' %}" method="POST" name="add-edition-form">
|
||||||
{% csrf_token %}
|
{% csrf_token %}
|
||||||
{{ work_form.title }}
|
{{ work_form.title }}
|
||||||
|
{{ work_form.sort_title }}
|
||||||
{{ work_form.subtitle }}
|
{{ work_form.subtitle }}
|
||||||
{{ work_form.authors }}
|
{{ work_form.authors }}
|
||||||
{{ work_form.description }}
|
{{ work_form.description }}
|
||||||
|
|
|
@ -4,7 +4,7 @@
|
||||||
{% block filter %}
|
{% block filter %}
|
||||||
<div class="control">
|
<div class="control">
|
||||||
<label class="label" for="id_search">{% trans "Search editions" %}</label>
|
<label class="label" for="id_search">{% trans "Search editions" %}</label>
|
||||||
<input type="text" class="input" name="q" value="{{ request.GET.q|default:'' }}" id="id_search">
|
<input type="text" class="input" name="q" value="{{ request.GET.q|default:'' }}" id="id_search" spellcheck="false">
|
||||||
</div>
|
</div>
|
||||||
{% endblock %}
|
{% endblock %}
|
||||||
|
|
||||||
|
|
|
@ -6,7 +6,7 @@
|
||||||
<h2 class="title is-4">{% trans "What are you reading?" %}</h2>
|
<h2 class="title is-4">{% trans "What are you reading?" %}</h2>
|
||||||
<form class="field has-addons" method="get" action="{% url 'get-started-books' %}">
|
<form class="field has-addons" method="get" action="{% url 'get-started-books' %}">
|
||||||
<div class="control">
|
<div class="control">
|
||||||
<input type="text" name="query" value="{{ request.GET.query }}" class="input" placeholder="{% trans 'Search for a book' %}" aria-label="{% trans 'Search for a book' %}">
|
<input type="text" name="query" value="{{ request.GET.query }}" class="input" placeholder="{% trans 'Search for a book' %}" aria-label="{% trans 'Search for a book' %}" spellcheck="false">
|
||||||
{% if request.GET.query and not book_results %}
|
{% if request.GET.query and not book_results %}
|
||||||
<p class="help">{% blocktrans with query=request.GET.query %}No books found for "{{ query }}"{% endblocktrans %}. {% blocktrans %}You can add books when you start using {{ site_name }}.{% endblocktrans %}</p>
|
<p class="help">{% blocktrans with query=request.GET.query %}No books found for "{{ query }}"{% endblocktrans %}. {% blocktrans %}You can add books when you start using {{ site_name }}.{% endblocktrans %}</p>
|
||||||
{% endif %}
|
{% endif %}
|
||||||
|
|
|
@ -8,7 +8,7 @@
|
||||||
<p class="subtitle is-6">{% trans "You can follow users on other BookWyrm instances and federated services like Mastodon." %}</p>
|
<p class="subtitle is-6">{% trans "You can follow users on other BookWyrm instances and federated services like Mastodon." %}</p>
|
||||||
<form class="field has-addons" method="get" action="{% url 'get-started-users' %}">
|
<form class="field has-addons" method="get" action="{% url 'get-started-users' %}">
|
||||||
<div class="control">
|
<div class="control">
|
||||||
<input type="text" name="query" value="{{ request.GET.query }}" class="input" placeholder="{% trans 'Search for a user' %}" aria-label="{% trans 'Search for a user' %}">
|
<input type="text" name="query" value="{{ request.GET.query }}" class="input" placeholder="{% trans 'Search for a user' %}" aria-label="{% trans 'Search for a user' %}" spellcheck="false">
|
||||||
{% if request.GET.query and no_results %}
|
{% if request.GET.query and no_results %}
|
||||||
<p class="help">{% blocktrans with query=request.GET.query %}No users found for "{{ query }}"{% endblocktrans %}</p>
|
<p class="help">{% blocktrans with query=request.GET.query %}No users found for "{{ query }}"{% endblocktrans %}</p>
|
||||||
{% endif %}
|
{% endif %}
|
||||||
|
|
|
@ -8,7 +8,7 @@
|
||||||
<div class="block">
|
<div class="block">
|
||||||
<form class="field has-addons" method="get" action="{% url 'group-find-users' group.id %}">
|
<form class="field has-addons" method="get" action="{% url 'group-find-users' group.id %}">
|
||||||
<div class="control">
|
<div class="control">
|
||||||
<input type="text" name="user_query" value="{{ request.GET.user_query }}" class="input" placeholder="{% trans 'Search to add a user' %}" aria-label="{% trans 'Search to add a user' %}">
|
<input type="text" name="user_query" value="{{ request.GET.user_query }}" class="input" placeholder="{% trans 'Search to add a user' %}" aria-label="{% trans 'Search to add a user' %}" spellcheck="false">
|
||||||
</div>
|
</div>
|
||||||
<div class="control" id="tour-group-member-search">
|
<div class="control" id="tour-group-member-search">
|
||||||
<button class="button" type="submit">
|
<button class="button" type="submit">
|
||||||
|
|
|
@ -17,8 +17,14 @@
|
||||||
{% if site.imports_enabled %}
|
{% if site.imports_enabled %}
|
||||||
{% if import_size_limit and import_limit_reset %}
|
{% if import_size_limit and import_limit_reset %}
|
||||||
<div class="notification">
|
<div class="notification">
|
||||||
<p>{% blocktrans %}Currently you are allowed to import {{ import_size_limit }} books every {{ import_limit_reset }} days.{% endblocktrans %}</p>
|
<p>
|
||||||
<p>{% blocktrans %}You have {{ allowed_imports }} left.{% endblocktrans %}</p>
|
{% blocktrans count days=import_limit_reset with display_size=import_size_limit|intcomma %}
|
||||||
|
Currently, you are allowed to import {{ display_size }} books every {{ import_limit_reset }} day.
|
||||||
|
{% plural %}
|
||||||
|
Currently, you are allowed to import {{ import_size_limit }} books every {{ import_limit_reset }} days.
|
||||||
|
{% endblocktrans %}
|
||||||
|
</p>
|
||||||
|
<p>{% blocktrans with display_left=allowed_imports|intcomma %}You have {{ display_left }} left.{% endblocktrans %}</p>
|
||||||
</div>
|
</div>
|
||||||
{% endif %}
|
{% endif %}
|
||||||
{% if recent_avg_hours or recent_avg_minutes %}
|
{% if recent_avg_hours or recent_avg_minutes %}
|
||||||
|
|
|
@ -38,7 +38,7 @@
|
||||||
{% else %}
|
{% else %}
|
||||||
{% trans "Search for a book" as search_placeholder %}
|
{% trans "Search for a book" as search_placeholder %}
|
||||||
{% endif %}
|
{% endif %}
|
||||||
<input aria-label="{{ search_placeholder }}" id="tour-search" class="input" type="text" name="q" placeholder="{{ search_placeholder }}" value="{{ query }}">
|
<input aria-label="{{ search_placeholder }}" id="tour-search" class="input" type="text" name="q" placeholder="{{ search_placeholder }}" value="{{ query }}" spellcheck="false">
|
||||||
</div>
|
</div>
|
||||||
<div class="control">
|
<div class="control">
|
||||||
<button class="button" type="submit">
|
<button class="button" type="submit">
|
||||||
|
|
|
@ -210,7 +210,7 @@
|
||||||
<form name="search" action="{% url 'list' list_id=list.id slug=list.name|slugify %}" method="GET" class="block">
|
<form name="search" action="{% url 'list' list_id=list.id slug=list.name|slugify %}" method="GET" class="block">
|
||||||
<div class="field has-addons">
|
<div class="field has-addons">
|
||||||
<div class="control">
|
<div class="control">
|
||||||
<input aria-label="{% trans 'Search for a book' %}" class="input" type="text" name="q" placeholder="{% trans 'Search for a book' %}" value="{{ query }}">
|
<input aria-label="{% trans 'Search for a book' %}" class="input" type="text" name="q" placeholder="{% trans 'Search for a book' %}" value="{{ query }}" spellcheck="false">
|
||||||
</div>
|
</div>
|
||||||
<div class="control">
|
<div class="control">
|
||||||
<button class="button" type="submit">
|
<button class="button" type="submit">
|
||||||
|
|
|
@ -14,7 +14,7 @@
|
||||||
<form class="block" action="{% url 'search' %}" method="GET">
|
<form class="block" action="{% url 'search' %}" method="GET">
|
||||||
<div class="field has-addons">
|
<div class="field has-addons">
|
||||||
<div class="control">
|
<div class="control">
|
||||||
<input type="text" class="input" name="q" value="{{ query }}" aria-label="{% trans 'Search query' %}" id="tour-search-page-input">
|
<input type="text" class="input" name="q" value="{{ query }}" aria-label="{% trans 'Search query' %}" id="tour-search-page-input" spellcheck="false">
|
||||||
</div>
|
</div>
|
||||||
<div class="control">
|
<div class="control">
|
||||||
<div class="select" aria-label="{% trans 'Search type' %}">
|
<div class="select" aria-label="{% trans 'Search type' %}">
|
||||||
|
|
|
@ -21,6 +21,76 @@
|
||||||
<section class="block content">
|
<section class="block content">
|
||||||
<h2>{% trans "Queues" %}</h2>
|
<h2>{% trans "Queues" %}</h2>
|
||||||
<div class="columns has-text-centered is-multiline">
|
<div class="columns has-text-centered is-multiline">
|
||||||
|
<div class="column is-4">
|
||||||
|
<div class="notification">
|
||||||
|
<p class="header">{% trans "Streams" %}</p>
|
||||||
|
<p class="title is-5">{{ queues.streams|intcomma }}</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<div class="column is-4">
|
||||||
|
<div class="notification">
|
||||||
|
<p class="header">{% trans "Broadcasts" %}</p>
|
||||||
|
<p class="title is-5">{{ queues.broadcast|intcomma }}</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<div class="column is-4">
|
||||||
|
<div class="notification">
|
||||||
|
<p class="header">{% trans "Inbox" %}</p>
|
||||||
|
<p class="title is-5">{{ queues.inbox|intcomma }}</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div class="column is-4">
|
||||||
|
<div class="notification">
|
||||||
|
<p class="header">{% trans "Imports" %}</p>
|
||||||
|
<p class="title is-5">{{ queues.imports|intcomma }}</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<div class="column is-4">
|
||||||
|
<div class="notification">
|
||||||
|
<p class="header">{% trans "Import triggered" %}</p>
|
||||||
|
<p class="title is-5">{{ queues.import_triggered|intcomma }}</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<div class="column is-4">
|
||||||
|
<div class="notification">
|
||||||
|
<p class="header">{% trans "Connectors" %}</p>
|
||||||
|
<p class="title is-5">{{ queues.connectors|intcomma }}</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div class="column is-6">
|
||||||
|
<div class="notification">
|
||||||
|
<p class="header">{% trans "Images" %}</p>
|
||||||
|
<p class="title is-5">{{ queues.images|intcomma }}</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<div class="column is-6">
|
||||||
|
<div class="notification">
|
||||||
|
<p class="header">{% trans "Suggested Users" %}</p>
|
||||||
|
<p class="title is-5">{{ queues.suggested_users|intcomma }}</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div class="column is-4">
|
||||||
|
<div class="notification">
|
||||||
|
<p class="header">{% trans "Lists" %}</p>
|
||||||
|
<p class="title is-5">{{ queues.lists|intcomma }}</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<div class="column is-4">
|
||||||
|
<div class="notification">
|
||||||
|
<p class="header">{% trans "Email" %}</p>
|
||||||
|
<p class="title is-5">{{ queues.email|intcomma }}</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<div class="column is-4">
|
||||||
|
<div class="notification">
|
||||||
|
<p class="header">{% trans "Misc" %}</p>
|
||||||
|
<p class="title is-5">{{ queues.misc|intcomma }}</p>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
<div class="column is-4">
|
<div class="column is-4">
|
||||||
<div class="notification">
|
<div class="notification">
|
||||||
<p class="header">{% trans "Low priority" %}</p>
|
<p class="header">{% trans "Low priority" %}</p>
|
||||||
|
@ -39,18 +109,6 @@
|
||||||
<p class="title is-5">{{ queues.high_priority|intcomma }}</p>
|
<p class="title is-5">{{ queues.high_priority|intcomma }}</p>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
<div class="column is-6">
|
|
||||||
<div class="notification">
|
|
||||||
<p class="header">{% trans "Imports" %}</p>
|
|
||||||
<p class="title is-5">{{ queues.imports|intcomma }}</p>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
<div class="column is-6">
|
|
||||||
<div class="notification">
|
|
||||||
<p class="header">{% trans "Broadcasts" %}</p>
|
|
||||||
<p class="title is-5">{{ queues.broadcast|intcomma }}</p>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
</div>
|
</div>
|
||||||
</section>
|
</section>
|
||||||
{% else %}
|
{% else %}
|
||||||
|
|
|
@ -145,7 +145,7 @@
|
||||||
<thead>
|
<thead>
|
||||||
<tr>
|
<tr>
|
||||||
<th>{% trans "Cover"%}</th>
|
<th>{% trans "Cover"%}</th>
|
||||||
<th>{% trans "Title" as text %}{% include 'snippets/table-sort-header.html' with field="title" sort=sort text=text %}</th>
|
<th>{% trans "Title" as text %}{% include 'snippets/table-sort-header.html' with field="sort_title" sort=sort text=text %}</th>
|
||||||
<th>{% trans "Author" as text %}{% include 'snippets/table-sort-header.html' with field="author" sort=sort text=text %}</th>
|
<th>{% trans "Author" as text %}{% include 'snippets/table-sort-header.html' with field="author" sort=sort text=text %}</th>
|
||||||
{% if request.user.is_authenticated %}
|
{% if request.user.is_authenticated %}
|
||||||
{% if is_self %}
|
{% if is_self %}
|
||||||
|
|
|
@ -15,7 +15,11 @@
|
||||||
<div class="control">
|
<div class="control">
|
||||||
<button class="button is-link" type="submit">
|
<button class="button is-link" type="submit">
|
||||||
<span class="icon icon-spinner" aria-hidden="true"></span>
|
<span class="icon icon-spinner" aria-hidden="true"></span>
|
||||||
|
{% if draft %}
|
||||||
|
<span>{% trans "Update" %}</span>
|
||||||
|
{% else %}
|
||||||
<span>{% trans "Post" %}</span>
|
<span>{% trans "Post" %}</span>
|
||||||
|
{% endif %}
|
||||||
</button>
|
</button>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
|
|
@ -12,6 +12,10 @@ register = template.Library()
|
||||||
@register.filter(name="rating")
|
@register.filter(name="rating")
|
||||||
def get_rating(book, user):
|
def get_rating(book, user):
|
||||||
"""get the overall rating of a book"""
|
"""get the overall rating of a book"""
|
||||||
|
# this shouldn't happen, but it CAN
|
||||||
|
if not book.parent_work:
|
||||||
|
return None
|
||||||
|
|
||||||
return cache.get_or_set(
|
return cache.get_or_set(
|
||||||
f"book-rating-{book.parent_work.id}",
|
f"book-rating-{book.parent_work.id}",
|
||||||
lambda u, b: models.Review.objects.filter(
|
lambda u, b: models.Review.objects.filter(
|
||||||
|
|
|
@ -64,7 +64,7 @@ class ActivitystreamsSignals(TestCase):
|
||||||
self.assertEqual(mock.call_count, 1)
|
self.assertEqual(mock.call_count, 1)
|
||||||
args = mock.call_args[1]
|
args = mock.call_args[1]
|
||||||
self.assertEqual(args["args"][0], status.id)
|
self.assertEqual(args["args"][0], status.id)
|
||||||
self.assertEqual(args["queue"], "high_priority")
|
self.assertEqual(args["queue"], "streams")
|
||||||
|
|
||||||
def test_add_status_on_create_created_low_priority(self, *_):
|
def test_add_status_on_create_created_low_priority(self, *_):
|
||||||
"""a new statuses has entered"""
|
"""a new statuses has entered"""
|
||||||
|
@ -82,7 +82,7 @@ class ActivitystreamsSignals(TestCase):
|
||||||
self.assertEqual(mock.call_count, 1)
|
self.assertEqual(mock.call_count, 1)
|
||||||
args = mock.call_args[1]
|
args = mock.call_args[1]
|
||||||
self.assertEqual(args["args"][0], status.id)
|
self.assertEqual(args["args"][0], status.id)
|
||||||
self.assertEqual(args["queue"], "low_priority")
|
self.assertEqual(args["queue"], "import_triggered")
|
||||||
|
|
||||||
# published later than yesterday
|
# published later than yesterday
|
||||||
status = models.Status.objects.create(
|
status = models.Status.objects.create(
|
||||||
|
@ -97,7 +97,7 @@ class ActivitystreamsSignals(TestCase):
|
||||||
self.assertEqual(mock.call_count, 1)
|
self.assertEqual(mock.call_count, 1)
|
||||||
args = mock.call_args[1]
|
args = mock.call_args[1]
|
||||||
self.assertEqual(args["args"][0], status.id)
|
self.assertEqual(args["args"][0], status.id)
|
||||||
self.assertEqual(args["queue"], "low_priority")
|
self.assertEqual(args["queue"], "import_triggered")
|
||||||
|
|
||||||
def test_populate_streams_on_account_create_command(self, *_):
|
def test_populate_streams_on_account_create_command(self, *_):
|
||||||
"""create streams for a user"""
|
"""create streams for a user"""
|
||||||
|
|
|
@ -233,3 +233,13 @@ class Openlibrary(TestCase):
|
||||||
self.assertFalse(ignore_edition({"languages": "languages/fr"}))
|
self.assertFalse(ignore_edition({"languages": "languages/fr"}))
|
||||||
self.assertTrue(ignore_edition({"languages": "languages/eng"}))
|
self.assertTrue(ignore_edition({"languages": "languages/eng"}))
|
||||||
self.assertTrue(ignore_edition({"format": "paperback"}))
|
self.assertTrue(ignore_edition({"format": "paperback"}))
|
||||||
|
|
||||||
|
def test_remote_id_from_model(self):
|
||||||
|
"""figure out a url from an id"""
|
||||||
|
obj = models.Author.objects.create(
|
||||||
|
name="George Elliott", openlibrary_key="OL453734A"
|
||||||
|
)
|
||||||
|
self.assertEqual(
|
||||||
|
self.connector.get_remote_id_from_model(obj),
|
||||||
|
"https://openlibrary.org/authors/OL453734A",
|
||||||
|
)
|
||||||
|
|
|
@ -145,7 +145,7 @@ class GenericImporter(TestCase):
|
||||||
) as mock:
|
) as mock:
|
||||||
import_item_task(import_item.id)
|
import_item_task(import_item.id)
|
||||||
kwargs = mock.call_args.kwargs
|
kwargs = mock.call_args.kwargs
|
||||||
self.assertEqual(kwargs["queue"], "low_priority")
|
self.assertEqual(kwargs["queue"], "import_triggered")
|
||||||
import_item.refresh_from_db()
|
import_item.refresh_from_db()
|
||||||
|
|
||||||
def test_complete_job(self, *_):
|
def test_complete_job(self, *_):
|
||||||
|
|
|
@ -24,8 +24,7 @@ class Book(TestCase):
|
||||||
title="Example Work", remote_id="https://example.com/book/1"
|
title="Example Work", remote_id="https://example.com/book/1"
|
||||||
)
|
)
|
||||||
self.first_edition = models.Edition.objects.create(
|
self.first_edition = models.Edition.objects.create(
|
||||||
title="Example Edition",
|
title="Example Edition", parent_work=self.work
|
||||||
parent_work=self.work,
|
|
||||||
)
|
)
|
||||||
self.second_edition = models.Edition.objects.create(
|
self.second_edition = models.Edition.objects.create(
|
||||||
title="Another Example Edition",
|
title="Another Example Edition",
|
||||||
|
@ -132,3 +131,26 @@ class Book(TestCase):
|
||||||
self.assertIsNotNone(book.cover_bw_book_xlarge_jpg.url)
|
self.assertIsNotNone(book.cover_bw_book_xlarge_jpg.url)
|
||||||
self.assertIsNotNone(book.cover_bw_book_xxlarge_webp.url)
|
self.assertIsNotNone(book.cover_bw_book_xxlarge_webp.url)
|
||||||
self.assertIsNotNone(book.cover_bw_book_xxlarge_jpg.url)
|
self.assertIsNotNone(book.cover_bw_book_xxlarge_jpg.url)
|
||||||
|
|
||||||
|
def test_populate_sort_title(self):
|
||||||
|
"""The sort title should remove the initial article on save"""
|
||||||
|
books = (
|
||||||
|
models.Edition.objects.create(
|
||||||
|
title=f"{article} Test Edition", languages=[langauge]
|
||||||
|
)
|
||||||
|
for langauge, articles in settings.LANGUAGE_ARTICLES.items()
|
||||||
|
for article in articles
|
||||||
|
)
|
||||||
|
self.assertTrue(all(book.sort_title == "test edition" for book in books))
|
||||||
|
|
||||||
|
def test_repair_edition(self):
|
||||||
|
"""Fix editions with no works"""
|
||||||
|
edition = models.Edition.objects.create(title="test")
|
||||||
|
edition.authors.set([models.Author.objects.create(name="Author Name")])
|
||||||
|
self.assertIsNone(edition.parent_work)
|
||||||
|
|
||||||
|
edition.repair()
|
||||||
|
edition.refresh_from_db()
|
||||||
|
|
||||||
|
self.assertEqual(edition.parent_work.title, "test")
|
||||||
|
self.assertEqual(edition.parent_work.authors.count(), 1)
|
||||||
|
|
|
@ -135,6 +135,41 @@ class Status(TestCase):
|
||||||
self.assertEqual(activity["content"], "<p>test content</p>")
|
self.assertEqual(activity["content"], "<p>test content</p>")
|
||||||
self.assertEqual(activity["sensitive"], False)
|
self.assertEqual(activity["sensitive"], False)
|
||||||
|
|
||||||
|
def test_status_with_hashtag_to_activity(self, *_):
|
||||||
|
"""status with hashtag with a "pure" serializer"""
|
||||||
|
tag = models.Hashtag.objects.create(name="#content")
|
||||||
|
status = models.Status.objects.create(
|
||||||
|
content="test #content", user=self.local_user
|
||||||
|
)
|
||||||
|
status.mention_hashtags.add(tag)
|
||||||
|
|
||||||
|
activity = status.to_activity(pure=True)
|
||||||
|
self.assertEqual(activity["id"], status.remote_id)
|
||||||
|
self.assertEqual(activity["type"], "Note")
|
||||||
|
self.assertEqual(activity["content"], "<p>test #content</p>")
|
||||||
|
self.assertEqual(activity["sensitive"], False)
|
||||||
|
self.assertEqual(activity["tag"][0]["type"], "Hashtag")
|
||||||
|
self.assertEqual(activity["tag"][0]["name"], "#content")
|
||||||
|
self.assertEqual(
|
||||||
|
activity["tag"][0]["href"], f"https://{settings.DOMAIN}/hashtag/{tag.id}"
|
||||||
|
)
|
||||||
|
|
||||||
|
def test_status_with_mention_to_activity(self, *_):
|
||||||
|
"""status with mention with a "pure" serializer"""
|
||||||
|
status = models.Status.objects.create(
|
||||||
|
content="test @rat@rat.com", user=self.local_user
|
||||||
|
)
|
||||||
|
status.mention_users.add(self.remote_user)
|
||||||
|
|
||||||
|
activity = status.to_activity(pure=True)
|
||||||
|
self.assertEqual(activity["id"], status.remote_id)
|
||||||
|
self.assertEqual(activity["type"], "Note")
|
||||||
|
self.assertEqual(activity["content"], "<p>test @rat@rat.com</p>")
|
||||||
|
self.assertEqual(activity["sensitive"], False)
|
||||||
|
self.assertEqual(activity["tag"][0]["type"], "Mention")
|
||||||
|
self.assertEqual(activity["tag"][0]["name"], f"@{self.remote_user.username}")
|
||||||
|
self.assertEqual(activity["tag"][0]["href"], self.remote_user.remote_id)
|
||||||
|
|
||||||
def test_status_to_activity_tombstone(self, *_):
|
def test_status_to_activity_tombstone(self, *_):
|
||||||
"""subclass of the base model version with a "pure" serializer"""
|
"""subclass of the base model version with a "pure" serializer"""
|
||||||
status = models.Status.objects.create(
|
status = models.Status.objects.create(
|
||||||
|
|
|
@ -71,6 +71,12 @@ class RatingTags(TestCase):
|
||||||
)
|
)
|
||||||
self.assertEqual(rating_tags.get_rating(self.book, self.local_user), 5)
|
self.assertEqual(rating_tags.get_rating(self.book, self.local_user), 5)
|
||||||
|
|
||||||
|
def test_get_rating_broken_edition(self, *_):
|
||||||
|
"""Don't have a server error if an edition is missing a work"""
|
||||||
|
broken_book = models.Edition.objects.create(title="Test")
|
||||||
|
broken_book.parent_work = None
|
||||||
|
self.assertIsNone(rating_tags.get_rating(broken_book, self.local_user))
|
||||||
|
|
||||||
def test_get_user_rating(self, *_):
|
def test_get_user_rating(self, *_):
|
||||||
"""get a user's most recent rating of a book"""
|
"""get a user's most recent rating of a book"""
|
||||||
with patch("bookwyrm.models.activitypub_mixin.broadcast_task.apply_async"):
|
with patch("bookwyrm.models.activitypub_mixin.broadcast_task.apply_async"):
|
||||||
|
|
|
@ -347,11 +347,17 @@ class RegisterViews(TestCase):
|
||||||
self.settings.save()
|
self.settings.save()
|
||||||
|
|
||||||
self.local_user.is_active = False
|
self.local_user.is_active = False
|
||||||
|
self.local_user.allow_reactivation = True
|
||||||
self.local_user.deactivation_reason = "pending"
|
self.local_user.deactivation_reason = "pending"
|
||||||
self.local_user.confirmation_code = "12345"
|
self.local_user.confirmation_code = "12345"
|
||||||
self.local_user.save(
|
self.local_user.save(
|
||||||
broadcast=False,
|
broadcast=False,
|
||||||
update_fields=["is_active", "deactivation_reason", "confirmation_code"],
|
update_fields=[
|
||||||
|
"is_active",
|
||||||
|
"allow_reactivation",
|
||||||
|
"deactivation_reason",
|
||||||
|
"confirmation_code",
|
||||||
|
],
|
||||||
)
|
)
|
||||||
view = views.ConfirmEmailCode.as_view()
|
view = views.ConfirmEmailCode.as_view()
|
||||||
request = self.factory.get("")
|
request = self.factory.get("")
|
||||||
|
|
|
@ -141,3 +141,24 @@ class DeleteUserViews(TestCase):
|
||||||
self.local_user.refresh_from_db()
|
self.local_user.refresh_from_db()
|
||||||
self.assertTrue(self.local_user.is_active)
|
self.assertTrue(self.local_user.is_active)
|
||||||
self.assertIsNone(self.local_user.deactivation_reason)
|
self.assertIsNone(self.local_user.deactivation_reason)
|
||||||
|
|
||||||
|
def test_reactivate_user_post_disallowed(self, _):
|
||||||
|
"""Reactivate action under the wrong circumstances"""
|
||||||
|
self.local_user.is_active = False
|
||||||
|
self.local_user.save(broadcast=False)
|
||||||
|
|
||||||
|
view = views.ReactivateUser.as_view()
|
||||||
|
form = forms.LoginForm()
|
||||||
|
form.data["localname"] = "mouse"
|
||||||
|
form.data["password"] = "password"
|
||||||
|
request = self.factory.post("", form.data)
|
||||||
|
request.user = self.local_user
|
||||||
|
middleware = SessionMiddleware()
|
||||||
|
middleware.process_request(request)
|
||||||
|
request.session.save()
|
||||||
|
|
||||||
|
with patch("bookwyrm.views.preferences.delete_user.login"):
|
||||||
|
view(request)
|
||||||
|
|
||||||
|
self.local_user.refresh_from_db()
|
||||||
|
self.assertFalse(self.local_user.is_active)
|
||||||
|
|
|
@ -62,7 +62,7 @@ class StatusTransactions(TransactionTestCase):
|
||||||
with patch("bookwyrm.activitystreams.add_status_task.apply_async") as mock:
|
with patch("bookwyrm.activitystreams.add_status_task.apply_async") as mock:
|
||||||
view(request, "comment")
|
view(request, "comment")
|
||||||
|
|
||||||
self.assertEqual(mock.call_count, 2)
|
self.assertEqual(mock.call_count, 1)
|
||||||
|
|
||||||
|
|
||||||
@patch("bookwyrm.suggested_users.rerank_suggestions_task.delay")
|
@patch("bookwyrm.suggested_users.rerank_suggestions_task.delay")
|
||||||
|
@ -428,6 +428,14 @@ http://www.fish.com/"""
|
||||||
f'(<a href="{url}">www.fish.com/</a>)',
|
f'(<a href="{url}">www.fish.com/</a>)',
|
||||||
)
|
)
|
||||||
|
|
||||||
|
def test_format_links_punctuation(self, *_):
|
||||||
|
"""don’t take trailing punctuation into account pls"""
|
||||||
|
url = "http://www.fish.com/"
|
||||||
|
self.assertEqual(
|
||||||
|
views.status.format_links(f"{url}."),
|
||||||
|
f'<a href="{url}">www.fish.com/</a>.',
|
||||||
|
)
|
||||||
|
|
||||||
def test_format_links_special_chars(self, *_):
|
def test_format_links_special_chars(self, *_):
|
||||||
"""find and format urls into a tags"""
|
"""find and format urls into a tags"""
|
||||||
url = "https://archive.org/details/dli.granth.72113/page/n25/mode/2up"
|
url = "https://archive.org/details/dli.granth.72113/page/n25/mode/2up"
|
||||||
|
|
|
@ -4,7 +4,7 @@ from unittest.mock import patch
|
||||||
from django.contrib.auth.models import AnonymousUser
|
from django.contrib.auth.models import AnonymousUser
|
||||||
from django.http.response import Http404
|
from django.http.response import Http404
|
||||||
from django.template.response import TemplateResponse
|
from django.template.response import TemplateResponse
|
||||||
from django.test import TestCase
|
from django.test import Client, TestCase
|
||||||
from django.test.client import RequestFactory
|
from django.test.client import RequestFactory
|
||||||
|
|
||||||
from bookwyrm import models, views
|
from bookwyrm import models, views
|
||||||
|
@ -152,6 +152,30 @@ class UserViews(TestCase):
|
||||||
validate_html(result.render())
|
validate_html(result.render())
|
||||||
self.assertEqual(result.status_code, 200)
|
self.assertEqual(result.status_code, 200)
|
||||||
|
|
||||||
|
def test_user_page_remote_anonymous(self):
|
||||||
|
"""when a anonymous user tries to get a remote user"""
|
||||||
|
with patch("bookwyrm.models.user.set_remote_server"):
|
||||||
|
models.User.objects.create_user(
|
||||||
|
"nutria",
|
||||||
|
"",
|
||||||
|
"nutriaword",
|
||||||
|
local=False,
|
||||||
|
remote_id="https://example.com/users/nutria",
|
||||||
|
inbox="https://example.com/users/nutria/inbox",
|
||||||
|
outbox="https://example.com/users/nutria/outbox",
|
||||||
|
)
|
||||||
|
|
||||||
|
view = views.User.as_view()
|
||||||
|
request = self.factory.get("")
|
||||||
|
request.user = self.anonymous_user
|
||||||
|
with patch("bookwyrm.views.user.is_api_request") as is_api:
|
||||||
|
is_api.return_value = False
|
||||||
|
result = view(request, "nutria@example.com")
|
||||||
|
result.client = Client()
|
||||||
|
self.assertRedirects(
|
||||||
|
result, "https://example.com/users/nutria", fetch_redirect_response=False
|
||||||
|
)
|
||||||
|
|
||||||
@patch("bookwyrm.suggested_users.rerank_suggestions_task.delay")
|
@patch("bookwyrm.suggested_users.rerank_suggestions_task.delay")
|
||||||
@patch("bookwyrm.activitystreams.populate_stream_task.delay")
|
@patch("bookwyrm.activitystreams.populate_stream_task.delay")
|
||||||
def test_followers_page_blocked(self, *_):
|
def test_followers_page_blocked(self, *_):
|
||||||
|
|
|
@ -11,7 +11,23 @@ from django import forms
|
||||||
import redis
|
import redis
|
||||||
|
|
||||||
from celerywyrm import settings
|
from celerywyrm import settings
|
||||||
from bookwyrm.tasks import app as celery, LOW, MEDIUM, HIGH, IMPORTS, BROADCAST
|
from bookwyrm.tasks import (
|
||||||
|
app as celery,
|
||||||
|
LOW,
|
||||||
|
MEDIUM,
|
||||||
|
HIGH,
|
||||||
|
STREAMS,
|
||||||
|
IMAGES,
|
||||||
|
SUGGESTED_USERS,
|
||||||
|
EMAIL,
|
||||||
|
CONNECTORS,
|
||||||
|
LISTS,
|
||||||
|
INBOX,
|
||||||
|
IMPORTS,
|
||||||
|
IMPORT_TRIGGERED,
|
||||||
|
BROADCAST,
|
||||||
|
MISC,
|
||||||
|
)
|
||||||
|
|
||||||
r = redis.from_url(settings.REDIS_BROKER_URL)
|
r = redis.from_url(settings.REDIS_BROKER_URL)
|
||||||
|
|
||||||
|
@ -41,8 +57,17 @@ class CeleryStatus(View):
|
||||||
LOW: r.llen(LOW),
|
LOW: r.llen(LOW),
|
||||||
MEDIUM: r.llen(MEDIUM),
|
MEDIUM: r.llen(MEDIUM),
|
||||||
HIGH: r.llen(HIGH),
|
HIGH: r.llen(HIGH),
|
||||||
|
STREAMS: r.llen(STREAMS),
|
||||||
|
IMAGES: r.llen(IMAGES),
|
||||||
|
SUGGESTED_USERS: r.llen(SUGGESTED_USERS),
|
||||||
|
EMAIL: r.llen(EMAIL),
|
||||||
|
CONNECTORS: r.llen(CONNECTORS),
|
||||||
|
LISTS: r.llen(LISTS),
|
||||||
|
INBOX: r.llen(INBOX),
|
||||||
IMPORTS: r.llen(IMPORTS),
|
IMPORTS: r.llen(IMPORTS),
|
||||||
|
IMPORT_TRIGGERED: r.llen(IMPORT_TRIGGERED),
|
||||||
BROADCAST: r.llen(BROADCAST),
|
BROADCAST: r.llen(BROADCAST),
|
||||||
|
MISC: r.llen(MISC),
|
||||||
}
|
}
|
||||||
# pylint: disable=broad-except
|
# pylint: disable=broad-except
|
||||||
except Exception as err:
|
except Exception as err:
|
||||||
|
@ -88,8 +113,17 @@ class ClearCeleryForm(forms.Form):
|
||||||
(LOW, "Low prioirty"),
|
(LOW, "Low prioirty"),
|
||||||
(MEDIUM, "Medium priority"),
|
(MEDIUM, "Medium priority"),
|
||||||
(HIGH, "High priority"),
|
(HIGH, "High priority"),
|
||||||
|
(STREAMS, "Streams"),
|
||||||
|
(IMAGES, "Images"),
|
||||||
|
(SUGGESTED_USERS, "Suggested users"),
|
||||||
|
(EMAIL, "Email"),
|
||||||
|
(CONNECTORS, "Connectors"),
|
||||||
|
(LISTS, "Lists"),
|
||||||
|
(INBOX, "Inbox"),
|
||||||
(IMPORTS, "Imports"),
|
(IMPORTS, "Imports"),
|
||||||
|
(IMPORT_TRIGGERED, "Import triggered"),
|
||||||
(BROADCAST, "Broadcasts"),
|
(BROADCAST, "Broadcasts"),
|
||||||
|
(MISC, "Misc"),
|
||||||
],
|
],
|
||||||
widget=forms.CheckboxSelectMultiple,
|
widget=forms.CheckboxSelectMultiple,
|
||||||
)
|
)
|
||||||
|
|
|
@ -157,6 +157,7 @@ def add_authors(request, data):
|
||||||
"""helper for adding authors"""
|
"""helper for adding authors"""
|
||||||
add_author = [author for author in request.POST.getlist("add_author") if author]
|
add_author = [author for author in request.POST.getlist("add_author") if author]
|
||||||
if not add_author:
|
if not add_author:
|
||||||
|
data["add_author"] = []
|
||||||
return data
|
return data
|
||||||
|
|
||||||
data["add_author"] = add_author
|
data["add_author"] = add_author
|
||||||
|
|
|
@ -13,7 +13,7 @@ from django.views import View
|
||||||
from django.views.decorators.csrf import csrf_exempt
|
from django.views.decorators.csrf import csrf_exempt
|
||||||
|
|
||||||
from bookwyrm import activitypub, models
|
from bookwyrm import activitypub, models
|
||||||
from bookwyrm.tasks import app, MEDIUM, HIGH
|
from bookwyrm.tasks import app, INBOX
|
||||||
from bookwyrm.signatures import Signature
|
from bookwyrm.signatures import Signature
|
||||||
from bookwyrm.utils import regex
|
from bookwyrm.utils import regex
|
||||||
|
|
||||||
|
@ -59,11 +59,7 @@ class Inbox(View):
|
||||||
return HttpResponse()
|
return HttpResponse()
|
||||||
return HttpResponse(status=401)
|
return HttpResponse(status=401)
|
||||||
|
|
||||||
# Make activities relating to follow/unfollow a high priority
|
sometimes_async_activity_task(activity_json)
|
||||||
high = ["Follow", "Accept", "Reject", "Block", "Unblock", "Undo"]
|
|
||||||
|
|
||||||
priority = HIGH if activity_json["type"] in high else MEDIUM
|
|
||||||
sometimes_async_activity_task(activity_json, queue=priority)
|
|
||||||
return HttpResponse()
|
return HttpResponse()
|
||||||
|
|
||||||
|
|
||||||
|
@ -101,7 +97,7 @@ def raise_is_blocked_activity(activity_json):
|
||||||
raise PermissionDenied()
|
raise PermissionDenied()
|
||||||
|
|
||||||
|
|
||||||
def sometimes_async_activity_task(activity_json, queue=MEDIUM):
|
def sometimes_async_activity_task(activity_json):
|
||||||
"""Sometimes we can effectively respond to a request without queuing a new task,
|
"""Sometimes we can effectively respond to a request without queuing a new task,
|
||||||
and whenever that is possible, we should do it."""
|
and whenever that is possible, we should do it."""
|
||||||
activity = activitypub.parse(activity_json)
|
activity = activitypub.parse(activity_json)
|
||||||
|
@ -111,10 +107,10 @@ def sometimes_async_activity_task(activity_json, queue=MEDIUM):
|
||||||
activity.action(allow_external_connections=False)
|
activity.action(allow_external_connections=False)
|
||||||
except activitypub.ActivitySerializerError:
|
except activitypub.ActivitySerializerError:
|
||||||
# if that doesn't work, run it asynchronously
|
# if that doesn't work, run it asynchronously
|
||||||
activity_task.apply_async(args=(activity_json,), queue=queue)
|
activity_task.apply_async(args=(activity_json,))
|
||||||
|
|
||||||
|
|
||||||
@app.task(queue=MEDIUM)
|
@app.task(queue=INBOX)
|
||||||
def activity_task(activity_json):
|
def activity_task(activity_json):
|
||||||
"""do something with this json we think is legit"""
|
"""do something with this json we think is legit"""
|
||||||
# lets see if the activitypub module can make sense of this json
|
# lets see if the activitypub module can make sense of this json
|
||||||
|
|
|
@ -74,6 +74,7 @@ class Register(View):
|
||||||
password,
|
password,
|
||||||
localname=localname,
|
localname=localname,
|
||||||
local=True,
|
local=True,
|
||||||
|
allow_reactivation=settings.require_confirm_email,
|
||||||
deactivation_reason="pending" if settings.require_confirm_email else None,
|
deactivation_reason="pending" if settings.require_confirm_email else None,
|
||||||
is_active=not settings.require_confirm_email,
|
is_active=not settings.require_confirm_email,
|
||||||
preferred_timezone=preferred_timezone,
|
preferred_timezone=preferred_timezone,
|
||||||
|
@ -105,7 +106,9 @@ class ConfirmEmailCode(View):
|
||||||
|
|
||||||
# look up the user associated with this code
|
# look up the user associated with this code
|
||||||
try:
|
try:
|
||||||
user = models.User.objects.get(confirmation_code=code)
|
user = models.User.objects.get(
|
||||||
|
confirmation_code=code, deactivation_reason="pending"
|
||||||
|
)
|
||||||
except models.User.DoesNotExist:
|
except models.User.DoesNotExist:
|
||||||
return TemplateResponse(
|
return TemplateResponse(
|
||||||
request, "confirm_email/confirm_email.html", {"valid": False}
|
request, "confirm_email/confirm_email.html", {"valid": False}
|
||||||
|
|
|
@ -129,7 +129,7 @@ def sort_list(request, items):
|
||||||
"""helper to handle the surprisingly involved sorting"""
|
"""helper to handle the surprisingly involved sorting"""
|
||||||
# sort_by shall be "order" unless a valid alternative is given
|
# sort_by shall be "order" unless a valid alternative is given
|
||||||
sort_by = request.GET.get("sort_by", "order")
|
sort_by = request.GET.get("sort_by", "order")
|
||||||
if sort_by not in ("order", "title", "rating"):
|
if sort_by not in ("order", "sort_title", "rating"):
|
||||||
sort_by = "order"
|
sort_by = "order"
|
||||||
|
|
||||||
# direction shall be "ascending" unless a valid alternative is given
|
# direction shall be "ascending" unless a valid alternative is given
|
||||||
|
@ -139,7 +139,7 @@ def sort_list(request, items):
|
||||||
|
|
||||||
directional_sort_by = {
|
directional_sort_by = {
|
||||||
"order": "order",
|
"order": "order",
|
||||||
"title": "book__title",
|
"sort_title": "book__sort_title",
|
||||||
"rating": "average_rating",
|
"rating": "average_rating",
|
||||||
}[sort_by]
|
}[sort_by]
|
||||||
if direction == "descending":
|
if direction == "descending":
|
||||||
|
|
|
@ -203,7 +203,7 @@ def delete_readthrough(request):
|
||||||
readthrough.raise_not_deletable(request.user)
|
readthrough.raise_not_deletable(request.user)
|
||||||
|
|
||||||
readthrough.delete()
|
readthrough.delete()
|
||||||
return redirect("/")
|
return redirect_to_referer(request)
|
||||||
|
|
||||||
|
|
||||||
@login_required
|
@login_required
|
||||||
|
@ -214,4 +214,4 @@ def delete_progressupdate(request):
|
||||||
update.raise_not_deletable(request.user)
|
update.raise_not_deletable(request.user)
|
||||||
|
|
||||||
update.delete()
|
update.delete()
|
||||||
return redirect("/")
|
return redirect_to_referer(request)
|
||||||
|
|
|
@ -128,7 +128,7 @@ class Shelf(View):
|
||||||
def sort_books(books, sort):
|
def sort_books(books, sort):
|
||||||
"""Books in shelf sorting"""
|
"""Books in shelf sorting"""
|
||||||
sort_fields = [
|
sort_fields = [
|
||||||
"title",
|
"sort_title",
|
||||||
"author",
|
"author",
|
||||||
"shelved_date",
|
"shelved_date",
|
||||||
"start_date",
|
"start_date",
|
||||||
|
|
|
@ -6,6 +6,7 @@ from urllib.parse import urlparse
|
||||||
from django.contrib.auth.decorators import login_required
|
from django.contrib.auth.decorators import login_required
|
||||||
from django.core.validators import URLValidator
|
from django.core.validators import URLValidator
|
||||||
from django.core.exceptions import ValidationError
|
from django.core.exceptions import ValidationError
|
||||||
|
from django.db import transaction
|
||||||
from django.db.models import Q
|
from django.db.models import Q
|
||||||
from django.http import HttpResponse, HttpResponseBadRequest, Http404
|
from django.http import HttpResponse, HttpResponseBadRequest, Http404
|
||||||
from django.shortcuts import get_object_or_404
|
from django.shortcuts import get_object_or_404
|
||||||
|
@ -57,6 +58,7 @@ class CreateStatus(View):
|
||||||
return TemplateResponse(request, "compose.html", data)
|
return TemplateResponse(request, "compose.html", data)
|
||||||
|
|
||||||
# pylint: disable=too-many-branches
|
# pylint: disable=too-many-branches
|
||||||
|
@transaction.atomic
|
||||||
def post(self, request, status_type, existing_status_id=None):
|
def post(self, request, status_type, existing_status_id=None):
|
||||||
"""create status of whatever type"""
|
"""create status of whatever type"""
|
||||||
created = not existing_status_id
|
created = not existing_status_id
|
||||||
|
@ -84,7 +86,6 @@ class CreateStatus(View):
|
||||||
return redirect_to_referer(request)
|
return redirect_to_referer(request)
|
||||||
|
|
||||||
status = form.save(request, commit=False)
|
status = form.save(request, commit=False)
|
||||||
status.ready = False
|
|
||||||
# save the plain, unformatted version of the status for future editing
|
# save the plain, unformatted version of the status for future editing
|
||||||
status.raw_content = status.content
|
status.raw_content = status.content
|
||||||
if hasattr(status, "quote"):
|
if hasattr(status, "quote"):
|
||||||
|
@ -124,7 +125,6 @@ class CreateStatus(View):
|
||||||
if hasattr(status, "quote"):
|
if hasattr(status, "quote"):
|
||||||
status.quote = to_markdown(status.quote)
|
status.quote = to_markdown(status.quote)
|
||||||
|
|
||||||
status.ready = True
|
|
||||||
status.save(created=created)
|
status.save(created=created)
|
||||||
|
|
||||||
# update a readthrough, if needed
|
# update a readthrough, if needed
|
||||||
|
@ -310,6 +310,11 @@ def format_links(content):
|
||||||
formatted_content += potential_link[0]
|
formatted_content += potential_link[0]
|
||||||
potential_link = potential_link[1:-1]
|
potential_link = potential_link[1:-1]
|
||||||
|
|
||||||
|
ends_with_punctuation = _ends_with_punctuation(potential_link)
|
||||||
|
if ends_with_punctuation:
|
||||||
|
punctuation_glyph = potential_link[-1]
|
||||||
|
potential_link = potential_link[0:-1]
|
||||||
|
|
||||||
try:
|
try:
|
||||||
# raises an error on anything that's not a valid link
|
# raises an error on anything that's not a valid link
|
||||||
validator(potential_link)
|
validator(potential_link)
|
||||||
|
@ -329,6 +334,9 @@ def format_links(content):
|
||||||
if wrapped:
|
if wrapped:
|
||||||
formatted_content += wrapper_close
|
formatted_content += wrapper_close
|
||||||
|
|
||||||
|
if ends_with_punctuation:
|
||||||
|
formatted_content += punctuation_glyph
|
||||||
|
|
||||||
return formatted_content
|
return formatted_content
|
||||||
|
|
||||||
|
|
||||||
|
@ -341,6 +349,15 @@ def _wrapped(text):
|
||||||
return False
|
return False
|
||||||
|
|
||||||
|
|
||||||
|
def _ends_with_punctuation(text):
|
||||||
|
"""check if a line of text ends with a punctuation glyph"""
|
||||||
|
glyphs = [".", ",", ";", ":", "!", "?", "”", "’", '"', "»"]
|
||||||
|
for glyph in glyphs:
|
||||||
|
if text[-1] == glyph:
|
||||||
|
return True
|
||||||
|
return False
|
||||||
|
|
||||||
|
|
||||||
def to_markdown(content):
|
def to_markdown(content):
|
||||||
"""catch links and convert to markdown"""
|
"""catch links and convert to markdown"""
|
||||||
content = format_links(content)
|
content = format_links(content)
|
||||||
|
|
|
@ -23,6 +23,9 @@ class User(View):
|
||||||
"""profile page for a user"""
|
"""profile page for a user"""
|
||||||
user = get_user_from_username(request.user, username)
|
user = get_user_from_username(request.user, username)
|
||||||
|
|
||||||
|
if not user.local and not request.user.is_authenticated:
|
||||||
|
return redirect(user.remote_id)
|
||||||
|
|
||||||
if is_api_request(request):
|
if is_api_request(request):
|
||||||
# we have a json request
|
# we have a json request
|
||||||
return ActivitypubResponse(user.to_activity())
|
return ActivitypubResponse(user.to_activity())
|
||||||
|
|
6
bw-dev
6
bw-dev
|
@ -158,6 +158,7 @@ case "$CMD" in
|
||||||
git checkout l10n_main locale/gl_ES
|
git checkout l10n_main locale/gl_ES
|
||||||
git checkout l10n_main locale/it_IT
|
git checkout l10n_main locale/it_IT
|
||||||
git checkout l10n_main locale/lt_LT
|
git checkout l10n_main locale/lt_LT
|
||||||
|
git checkout l10n_main locale/nl_NL
|
||||||
git checkout l10n_main locale/no_NO
|
git checkout l10n_main locale/no_NO
|
||||||
git checkout l10n_main locale/pl_PL
|
git checkout l10n_main locale/pl_PL
|
||||||
git checkout l10n_main locale/pt_PT
|
git checkout l10n_main locale/pt_PT
|
||||||
|
@ -209,6 +210,10 @@ case "$CMD" in
|
||||||
bookwyrm/static/css/bookwyrm.scss bookwyrm/static/css/bookwyrm/**/*.scss --fix \
|
bookwyrm/static/css/bookwyrm.scss bookwyrm/static/css/bookwyrm/**/*.scss --fix \
|
||||||
--config dev-tools/.stylelintrc.js
|
--config dev-tools/.stylelintrc.js
|
||||||
;;
|
;;
|
||||||
|
mypy)
|
||||||
|
prod_error
|
||||||
|
runweb mypy celerywyrm bookwyrm
|
||||||
|
;;
|
||||||
collectstatic_watch)
|
collectstatic_watch)
|
||||||
prod_error
|
prod_error
|
||||||
npm run --prefix dev-tools watch:static
|
npm run --prefix dev-tools watch:static
|
||||||
|
@ -316,6 +321,7 @@ case "$CMD" in
|
||||||
echo " eslint"
|
echo " eslint"
|
||||||
echo " stylelint"
|
echo " stylelint"
|
||||||
echo " formatters"
|
echo " formatters"
|
||||||
|
echo " mypy"
|
||||||
echo " collectstatic_watch"
|
echo " collectstatic_watch"
|
||||||
echo " populate_streams [--stream=<stream name>]"
|
echo " populate_streams [--stream=<stream name>]"
|
||||||
echo " populate_lists_streams"
|
echo " populate_lists_streams"
|
||||||
|
|
|
@ -6,7 +6,7 @@ class CelerywyrmConfig(AppConfig):
|
||||||
name = "celerywyrm"
|
name = "celerywyrm"
|
||||||
verbose_name = "BookWyrm Celery"
|
verbose_name = "BookWyrm Celery"
|
||||||
|
|
||||||
def ready(self):
|
def ready(self) -> None:
|
||||||
if settings.OTEL_EXPORTER_OTLP_ENDPOINT or settings.OTEL_EXPORTER_CONSOLE:
|
if settings.OTEL_EXPORTER_OTLP_ENDPOINT or settings.OTEL_EXPORTER_CONSOLE:
|
||||||
from bookwyrm.telemetry import open_telemetry
|
from bookwyrm.telemetry import open_telemetry
|
||||||
|
|
||||||
|
|
|
@ -6,7 +6,7 @@ from bookwyrm.settings import *
|
||||||
QUERY_TIMEOUT = env.int("CELERY_QUERY_TIMEOUT", env.int("QUERY_TIMEOUT", 30))
|
QUERY_TIMEOUT = env.int("CELERY_QUERY_TIMEOUT", env.int("QUERY_TIMEOUT", 30))
|
||||||
|
|
||||||
# pylint: disable=line-too-long
|
# pylint: disable=line-too-long
|
||||||
REDIS_BROKER_PASSWORD = requests.utils.quote(env("REDIS_BROKER_PASSWORD", ""))
|
REDIS_BROKER_PASSWORD = requests.compat.quote(env("REDIS_BROKER_PASSWORD", ""))
|
||||||
REDIS_BROKER_HOST = env("REDIS_BROKER_HOST", "redis_broker")
|
REDIS_BROKER_HOST = env("REDIS_BROKER_HOST", "redis_broker")
|
||||||
REDIS_BROKER_PORT = env.int("REDIS_BROKER_PORT", 6379)
|
REDIS_BROKER_PORT = env.int("REDIS_BROKER_PORT", 6379)
|
||||||
REDIS_BROKER_DB_INDEX = env.int("REDIS_BROKER_DB_INDEX", 0)
|
REDIS_BROKER_DB_INDEX = env.int("REDIS_BROKER_DB_INDEX", 0)
|
||||||
|
|
|
@ -26,6 +26,7 @@ prettier \
|
||||||
eslint \
|
eslint \
|
||||||
stylelint \
|
stylelint \
|
||||||
formatters \
|
formatters \
|
||||||
|
mypy \
|
||||||
collectstatic_watch \
|
collectstatic_watch \
|
||||||
populate_streams \
|
populate_streams \
|
||||||
populate_lists_streams \
|
populate_lists_streams \
|
||||||
|
|
|
@ -23,6 +23,7 @@ prettier
|
||||||
eslint
|
eslint
|
||||||
stylelint
|
stylelint
|
||||||
formatters
|
formatters
|
||||||
|
mypy
|
||||||
collectstatic_watch
|
collectstatic_watch
|
||||||
populate_streams
|
populate_streams
|
||||||
populate_lists_streams
|
populate_lists_streams
|
||||||
|
|
|
@ -25,6 +25,7 @@ prettier
|
||||||
eslint
|
eslint
|
||||||
stylelint
|
stylelint
|
||||||
formatters
|
formatters
|
||||||
|
mypy
|
||||||
collectstatic_watch
|
collectstatic_watch
|
||||||
populate_streams
|
populate_streams
|
||||||
populate_lists_streams
|
populate_lists_streams
|
||||||
|
|
|
@ -6,7 +6,7 @@ After=network.target postgresql.service redis.service
|
||||||
User=bookwyrm
|
User=bookwyrm
|
||||||
Group=bookwyrm
|
Group=bookwyrm
|
||||||
WorkingDirectory=/opt/bookwyrm/
|
WorkingDirectory=/opt/bookwyrm/
|
||||||
ExecStart=/opt/bookwyrm/venv/bin/celery -A celerywyrm worker -l info -Q high_priority,medium_priority,low_priority,imports,broadcast
|
ExecStart=/opt/bookwyrm/venv/bin/celery -A celerywyrm worker -l info -Q high_priority,medium_priority,low_priority,streams,images,suggested_users,email,connectors,lists,inbox,imports,import_triggered,broadcast,misc
|
||||||
StandardOutput=journal
|
StandardOutput=journal
|
||||||
StandardError=inherit
|
StandardError=inherit
|
||||||
|
|
||||||
|
|
|
@ -62,7 +62,8 @@ services:
|
||||||
build: .
|
build: .
|
||||||
networks:
|
networks:
|
||||||
- main
|
- main
|
||||||
command: celery -A celerywyrm worker -l info -Q high_priority,medium_priority,low_priority,imports,broadcast
|
command: celery -A celerywyrm worker -l info -Q high_priority,medium_priority,low_priority,streams,images,suggested_users,email,connectors,lists,inbox,imports,import_triggered,broadcast,misc
|
||||||
|
|
||||||
volumes:
|
volumes:
|
||||||
- .:/app
|
- .:/app
|
||||||
- static_volume:/app/static
|
- static_volume:/app/static
|
||||||
|
|
BIN
locale/nl_NL/LC_MESSAGES/django.mo
Normal file
BIN
locale/nl_NL/LC_MESSAGES/django.mo
Normal file
Binary file not shown.
6655
locale/nl_NL/LC_MESSAGES/django.po
Normal file
6655
locale/nl_NL/LC_MESSAGES/django.po
Normal file
File diff suppressed because it is too large
Load diff
18
mypy.ini
Normal file
18
mypy.ini
Normal file
|
@ -0,0 +1,18 @@
|
||||||
|
[mypy]
|
||||||
|
plugins = mypy_django_plugin.main
|
||||||
|
namespace_packages = True
|
||||||
|
strict = True
|
||||||
|
|
||||||
|
[mypy.plugins.django-stubs]
|
||||||
|
django_settings_module = "bookwyrm.settings"
|
||||||
|
|
||||||
|
[mypy-bookwyrm.*]
|
||||||
|
ignore_errors = True
|
||||||
|
implicit_reexport = True
|
||||||
|
|
||||||
|
[mypy-bookwyrm.connectors.*]
|
||||||
|
ignore_errors = False
|
||||||
|
|
||||||
|
[mypy-celerywyrm.*]
|
||||||
|
ignore_errors = False
|
||||||
|
|
|
@ -1,8 +1,8 @@
|
||||||
aiohttp==3.8.3
|
aiohttp==3.8.5
|
||||||
bleach==5.0.1
|
bleach==5.0.1
|
||||||
celery==5.2.7
|
celery==5.2.7
|
||||||
colorthief==0.2.1
|
colorthief==0.2.1
|
||||||
Django==3.2.19
|
Django==3.2.20
|
||||||
django-celery-beat==2.4.0
|
django-celery-beat==2.4.0
|
||||||
django-compressor==4.3.1
|
django-compressor==4.3.1
|
||||||
django-imagekit==4.1.0
|
django-imagekit==4.1.0
|
||||||
|
@ -43,3 +43,13 @@ pytest-env==0.6.2
|
||||||
pytest-xdist==2.3.0
|
pytest-xdist==2.3.0
|
||||||
pytidylib==0.3.2
|
pytidylib==0.3.2
|
||||||
pylint==2.14.0
|
pylint==2.14.0
|
||||||
|
mypy==1.4.1
|
||||||
|
celery-types==0.18.0
|
||||||
|
django-stubs[compatible-mypy]==4.2.3
|
||||||
|
types-bleach==6.0.0.3
|
||||||
|
types-dataclasses==0.6.6
|
||||||
|
types-Markdown==3.4.2.9
|
||||||
|
types-Pillow==10.0.0.1
|
||||||
|
types-psycopg2==2.9.21.10
|
||||||
|
types-python-dateutil==2.8.19.13
|
||||||
|
types-requests==2.31.0.1
|
||||||
|
|
Loading…
Reference in a new issue