Skip to content

Commit 018cf5d

Browse files
authored
Merge pull request #2 from masenf/user-rename
rename User to LocalUser
2 parents 4b3be8b + 1e0bafd commit 018cf5d

File tree

15 files changed

+167
-35
lines changed

15 files changed

+167
-35
lines changed

.github/workflows/publish.yml

+21
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,21 @@
1+
name: Publish Component to PyPI
2+
3+
on:
4+
push:
5+
tags:
6+
- '*'
7+
8+
jobs:
9+
publish:
10+
name: Publish Component to PyPI
11+
runs-on: ubuntu-latest
12+
steps:
13+
- uses: actions/checkout@master
14+
- name: Set up Python 3.12
15+
uses: actions/setup-python@v3
16+
with:
17+
python-version: '3.12'
18+
- name: Install package
19+
run: pip install .
20+
- name: Publish to PyPI
21+
run: reflex component publish -t ${{ secrets.PYPI_TOKEN }} --no-share --no-validate-project-info

README.md

+19-2
Original file line numberDiff line numberDiff line change
@@ -90,7 +90,7 @@ def protected_page():
9090

9191
## Customization
9292

93-
The basic `reflex_local_auth.User` model provides password hashing and
93+
The basic `reflex_local_auth.LocalUser` model provides password hashing and
9494
verification, and an enabled flag. Additional functionality can be added by
9595
creating a new `UserInfo` model and creating a foreign key relationship to the
9696
`user.id` field.
@@ -146,7 +146,7 @@ def register_error() -> rx.Component:
146146
reflex_local_auth.RegistrationState.error_message != "",
147147
rx.callout(
148148
reflex_local_auth.RegistrationState.error_message,
149-
icon="alert_triangle",
149+
icon="triangle_alert",
150150
color_scheme="red",
151151
role="alert",
152152
width="100%",
@@ -234,4 +234,21 @@ def user_info():
234234
),
235235
),
236236
)
237+
```
238+
239+
## Migrating from 0.0.x to 0.1.x
240+
241+
The `User` model has been renamed to `LocalUser` and the `AuthSession` model has
242+
been renamed to `LocalAuthSession`. If your app was using reflex-local-auth 0.0.x,
243+
then you will need to make manual changes to migration script to copy existing user
244+
data into the new tables _after_ running `reflex db makemigrations`.
245+
246+
See [`local_auth_demo/alembic/version/cb01e050df85_.py`](local_auth_demo/alembic/version/cb01e050df85_.py) for an example migration script.
247+
248+
Importantly, your `upgrade` function should include the following lines, after creating
249+
the new tables and before dropping the old tables:
250+
251+
```python
252+
op.execute("INSERT INTO localuser SELECT * FROM user;")
253+
op.execute("INSERT INTO localauthsession SELECT * FROM authsession;")
237254
```

custom_components/reflex_local_auth/__init__.py

+2-2
Original file line numberDiff line numberDiff line change
@@ -4,13 +4,13 @@
44
from .login import require_login, LoginState
55
from .registration import RegistrationState
66
from .routes import set_login_route, set_register_route
7-
from .user import User
7+
from .user import LocalUser
88

99
__all__ = [
1010
"LocalAuthState",
11+
"LocalUser",
1112
"LoginState",
1213
"RegistrationState",
13-
"User",
1414
"pages",
1515
"routes",
1616
"require_login",

custom_components/reflex_local_auth/auth_session.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -5,7 +5,7 @@
55
import reflex as rx
66

77

8-
class AuthSession(
8+
class LocalAuthSession(
99
rx.Model,
1010
table=True, # type: ignore
1111
):

custom_components/reflex_local_auth/local_auth.py

+16-16
Original file line numberDiff line numberDiff line change
@@ -12,8 +12,8 @@
1212

1313
import reflex as rx
1414

15-
from .auth_session import AuthSession
16-
from .user import User
15+
from .auth_session import LocalAuthSession
16+
from .user import LocalUser
1717

1818

1919
AUTH_TOKEN_LOCAL_STORAGE_KEY = "_auth_token"
@@ -25,26 +25,26 @@ class LocalAuthState(rx.State):
2525
auth_token: str = rx.LocalStorage(name=AUTH_TOKEN_LOCAL_STORAGE_KEY)
2626

2727
@rx.cached_var
28-
def authenticated_user(self) -> User:
28+
def authenticated_user(self) -> LocalUser:
2929
"""The currently authenticated user, or a dummy user if not authenticated.
3030
3131
Returns:
32-
A User instance with id=-1 if not authenticated, or the User instance
32+
A LocalUser instance with id=-1 if not authenticated, or the LocalUser instance
3333
corresponding to the currently authenticated user.
3434
"""
3535
with rx.session() as session:
3636
result = session.exec(
37-
select(User, AuthSession).where(
38-
AuthSession.session_id == self.auth_token,
39-
AuthSession.expiration
37+
select(LocalUser, LocalAuthSession).where(
38+
LocalAuthSession.session_id == self.auth_token,
39+
LocalAuthSession.expiration
4040
>= datetime.datetime.now(datetime.timezone.utc),
41-
User.id == AuthSession.user_id,
41+
LocalUser.id == LocalAuthSession.user_id,
4242
),
4343
).first()
4444
if result:
4545
user, session = result
4646
return user
47-
return User(id=-1) # type: ignore
47+
return LocalUser(id=-1) # type: ignore
4848

4949
@rx.cached_var
5050
def is_authenticated(self) -> bool:
@@ -56,10 +56,10 @@ def is_authenticated(self) -> bool:
5656
return self.authenticated_user.id >= 0
5757

5858
def do_logout(self) -> None:
59-
"""Destroy AuthSessions associated with the auth_token."""
59+
"""Destroy LocalAuthSessions associated with the auth_token."""
6060
with rx.session() as session:
6161
for auth_session in session.exec(
62-
select(AuthSession).where(AuthSession.session_id == self.auth_token)
62+
select(LocalAuthSession).where(LocalAuthSession.session_id == self.auth_token)
6363
).all():
6464
session.delete(auth_session)
6565
session.commit()
@@ -70,14 +70,14 @@ def _login(
7070
user_id: int,
7171
expiration_delta: datetime.timedelta = DEFAULT_AUTH_SESSION_EXPIRATION_DELTA,
7272
) -> None:
73-
"""Create an AuthSession for the given user_id.
73+
"""Create an LocalAuthSession for the given user_id.
7474
75-
If the auth_token is already associated with an AuthSession, it will be
75+
If the auth_token is already associated with an LocalAuthSession, it will be
7676
logged out first.
7777
7878
Args:
79-
user_id: The user ID to associate with the AuthSession.
80-
expiration_delta: The amount of time before the AuthSession expires.
79+
user_id: The user ID to associate with the LocalAuthSession.
80+
expiration_delta: The amount of time before the LocalAuthSession expires.
8181
"""
8282
if self.is_authenticated:
8383
self.do_logout()
@@ -86,7 +86,7 @@ def _login(
8686
self.auth_token = self.auth_token or self.router.session.client_token
8787
with rx.session() as session:
8888
session.add(
89-
AuthSession( # type: ignore
89+
LocalAuthSession( # type: ignore
9090
user_id=user_id,
9191
session_id=self.auth_token,
9292
expiration=datetime.datetime.now(datetime.timezone.utc)

custom_components/reflex_local_auth/login.py

+2-2
Original file line numberDiff line numberDiff line change
@@ -6,7 +6,7 @@
66

77
from . import routes
88
from .local_auth import LocalAuthState
9-
from .user import User
9+
from .user import LocalUser
1010

1111

1212
class LoginState(LocalAuthState):
@@ -26,7 +26,7 @@ def on_submit(self, form_data) -> rx.event.EventSpec:
2626
password = form_data["password"]
2727
with rx.session() as session:
2828
user = session.exec(
29-
select(User).where(User.username == username)
29+
select(LocalUser).where(LocalUser.username == username)
3030
).one_or_none()
3131
if user is not None and not user.enabled:
3232
self.error_message = "This account is disabled."

custom_components/reflex_local_auth/pages/login.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -19,7 +19,7 @@ def login_error() -> rx.Component:
1919
LoginState.error_message != "",
2020
rx.callout(
2121
LoginState.error_message,
22-
icon="alert_triangle",
22+
icon="triangle_alert",
2323
color_scheme="red",
2424
role="alert",
2525
width="100%",

custom_components/reflex_local_auth/pages/registration.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -19,7 +19,7 @@ def register_error() -> rx.Component:
1919
RegistrationState.error_message != "",
2020
rx.callout(
2121
RegistrationState.error_message,
22-
icon="alert_triangle",
22+
icon="triangle_alert",
2323
color_scheme="red",
2424
role="alert",
2525
width="100%",

custom_components/reflex_local_auth/registration.py

+4-4
Original file line numberDiff line numberDiff line change
@@ -9,7 +9,7 @@
99

1010
from . import routes
1111
from .local_auth import LocalAuthState
12-
from .user import User
12+
from .user import LocalUser
1313

1414

1515
POST_REGISTRATION_DELAY = 0.5
@@ -30,7 +30,7 @@ def _validate_fields(
3030
return rx.set_focus("username")
3131
with rx.session() as session:
3232
existing_user = session.exec(
33-
select(User).where(User.username == username)
33+
select(LocalUser).where(LocalUser.username == username)
3434
).one_or_none()
3535
if existing_user is not None:
3636
self.error_message = (
@@ -50,9 +50,9 @@ def _validate_fields(
5050
def _register_user(self, username, password) -> None:
5151
with rx.session() as session:
5252
# Create the new user and add it to the database.
53-
new_user = User() # type: ignore
53+
new_user = LocalUser() # type: ignore
5454
new_user.username = username
55-
new_user.password_hash = User.hash_password(password)
55+
new_user.password_hash = LocalUser.hash_password(password)
5656
new_user.enabled = True
5757
session.add(new_user)
5858
session.commit()

custom_components/reflex_local_auth/user.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -6,7 +6,7 @@
66
import reflex as rx
77

88

9-
class User(
9+
class LocalUser(
1010
rx.Model,
1111
table=True, # type: ignore
1212
):
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,90 @@
1+
"""empty message
2+
3+
Revision ID: cb01e050df85
4+
Revises: 05267fabef38
5+
Create Date: 2024-04-10 13:12:57.109831
6+
7+
"""
8+
from typing import Sequence, Union
9+
10+
from alembic import op
11+
import sqlalchemy as sa
12+
import sqlmodel
13+
14+
# revision identifiers, used by Alembic.
15+
revision: str = 'cb01e050df85'
16+
down_revision: Union[str, None] = '05267fabef38'
17+
branch_labels: Union[str, Sequence[str], None] = None
18+
depends_on: Union[str, Sequence[str], None] = None
19+
20+
21+
def upgrade() -> None:
22+
# ### commands auto generated by Alembic - please adjust! ###
23+
op.create_table('localauthsession',
24+
sa.Column('id', sa.Integer(), nullable=False),
25+
sa.Column('user_id', sa.Integer(), nullable=False),
26+
sa.Column('session_id', sqlmodel.sql.sqltypes.AutoString(), nullable=False),
27+
sa.Column('expiration', sa.DateTime(timezone=True), server_default=sa.text('(CURRENT_TIMESTAMP)'), nullable=False),
28+
sa.PrimaryKeyConstraint('id')
29+
)
30+
op.create_index(op.f('ix_localauthsession_session_id'), 'localauthsession', ['session_id'], unique=True)
31+
op.create_index(op.f('ix_localauthsession_user_id'), 'localauthsession', ['user_id'], unique=False)
32+
op.create_table('localuser',
33+
sa.Column('id', sa.Integer(), nullable=False),
34+
sa.Column('username', sqlmodel.sql.sqltypes.AutoString(), nullable=False),
35+
sa.Column('password_hash', sa.LargeBinary(), nullable=False),
36+
sa.Column('enabled', sa.Boolean(), nullable=False),
37+
sa.PrimaryKeyConstraint('id')
38+
)
39+
op.create_index(op.f('ix_localuser_username'), 'localuser', ['username'], unique=True)
40+
op.execute("INSERT INTO localuser SELECT * FROM user;")
41+
op.execute("INSERT INTO localauthsession SELECT * FROM authsession;")
42+
op.drop_index('ix_authsession_session_id', table_name='authsession')
43+
op.drop_index('ix_authsession_user_id', table_name='authsession')
44+
op.drop_table('authsession')
45+
naming_convention = {
46+
"fk":
47+
"fk_%(table_name)s_%(column_0_name)s_%(referred_table_name)s",
48+
}
49+
with op.batch_alter_table('userinfo', naming_convention=naming_convention) as batch_op:
50+
batch_op.drop_constraint('fk_userinfo_user_id_user', type_='foreignkey')
51+
batch_op.create_foreign_key('fk_userinfo_user_id_localuser', 'localuser', ['user_id'], ['id'])
52+
op.drop_index('ix_user_username', table_name='user')
53+
op.drop_table('user')
54+
# ### end Alembic commands ###
55+
56+
57+
def downgrade() -> None:
58+
# ### commands auto generated by Alembic - please adjust! ###
59+
op.create_table('user',
60+
sa.Column('id', sa.INTEGER(), nullable=False),
61+
sa.Column('username', sa.VARCHAR(), nullable=False),
62+
sa.Column('password_hash', sa.BLOB(), nullable=False),
63+
sa.Column('enabled', sa.BOOLEAN(), nullable=False),
64+
sa.PrimaryKeyConstraint('id')
65+
)
66+
op.create_index('ix_user_username', 'user', ['username'], unique=1)
67+
op.create_table('authsession',
68+
sa.Column('id', sa.INTEGER(), nullable=False),
69+
sa.Column('user_id', sa.INTEGER(), nullable=False),
70+
sa.Column('session_id', sa.VARCHAR(), nullable=False),
71+
sa.Column('expiration', sa.DATETIME(), server_default=sa.text('(CURRENT_TIMESTAMP)'), nullable=False),
72+
sa.PrimaryKeyConstraint('id')
73+
)
74+
op.create_index('ix_authsession_user_id', 'authsession', ['user_id'], unique=False)
75+
op.create_index('ix_authsession_session_id', 'authsession', ['session_id'], unique=1)
76+
op.execute("INSERT INTO user SELECT * FROM localuser;")
77+
op.execute("INSERT INTO authsession SELECT * FROM localauthsession;")
78+
naming_convention = {
79+
"fk":
80+
"fk_%(table_name)s_%(column_0_name)s_%(referred_table_name)s",
81+
}
82+
with op.batch_alter_table('userinfo', naming_convention=naming_convention) as batch_op:
83+
batch_op.drop_constraint('fk_userinfo_user_id_localuser', type_='foreignkey')
84+
batch_op.create_foreign_key('fk_userinfo_user_id_user', 'localuser', ['user_id'], ['id'])
85+
op.drop_index(op.f('ix_localuser_username'), table_name='localuser')
86+
op.drop_table('localuser')
87+
op.drop_index(op.f('ix_localauthsession_user_id'), table_name='localauthsession')
88+
op.drop_index(op.f('ix_localauthsession_session_id'), table_name='localauthsession')
89+
op.drop_table('localauthsession')
90+
# ### end Alembic commands ###

local_auth_demo/local_auth_demo/custom_user_info.py

+2-2
Original file line numberDiff line numberDiff line change
@@ -10,7 +10,7 @@ class UserInfo(rx.Model, table=True):
1010
email: str
1111
created_from_ip: str
1212

13-
user_id: int = sqlmodel.Field(foreign_key="user.id")
13+
user_id: int = sqlmodel.Field(foreign_key="localuser.id")
1414

1515

1616
class MyLocalAuthState(reflex_local_auth.LocalAuthState):
@@ -52,7 +52,7 @@ def register_error() -> rx.Component:
5252
reflex_local_auth.RegistrationState.error_message != "",
5353
rx.callout(
5454
reflex_local_auth.RegistrationState.error_message,
55-
icon="alert_triangle",
55+
icon="triangle_alert",
5656
color_scheme="red",
5757
role="alert",
5858
width="100%",

local_auth_demo/local_auth_demo/local_auth_demo.py

+4
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,5 @@
11
"""Main app module to demo local authentication."""
2+
23
import reflex as rx
34

45
import reflex_local_auth
@@ -93,3 +94,6 @@ def protected():
9394
route=reflex_local_auth.routes.REGISTER_ROUTE,
9495
title="Register",
9596
)
97+
98+
# Create the database if it does not exist (hosting service does not migrate automatically)
99+
rx.Model.migrate()

local_auth_demo/requirements.txt

+1-1
Original file line numberDiff line numberDiff line change
@@ -1,2 +1,2 @@
1-
reflex==0.4.3
1+
reflex>=0.4.3
22
reflex_local_auth>=0.0.1

pyproject.toml

+2-2
Original file line numberDiff line numberDiff line change
@@ -7,8 +7,8 @@ build-backend = "setuptools.build_meta"
77

88
[project]
99
name = "reflex-local-auth"
10-
version = "0.0.3"
11-
description = "Reflex custom component local-auth"
10+
version = "0.1.0"
11+
description = "Local DB user authentication for Reflex apps"
1212
readme = "README.md"
1313
license = { text = "Apache-2.0" }
1414
requires-python = ">=3.8"

0 commit comments

Comments
 (0)