Skip to content

Commit 64ecd69

Browse files
committed
Implement propel router
and some fixes in components
1 parent ebb466c commit 64ecd69

9 files changed

+240
-66
lines changed

src/app.tsx

+193
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,193 @@
1+
/*!
2+
Copyright 2018 Propel http://propel.site/. All rights reserved.
3+
Licensed under the Apache License, Version 2.0 (the "License");
4+
you may not use this file except in compliance with the License.
5+
You may obtain a copy of the License at
6+
7+
http://www.apache.org/licenses/LICENSE-2.0
8+
9+
Unless required by applicable law or agreed to in writing, software
10+
distributed under the License is distributed on an "AS IS" BASIS,
11+
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
12+
See the License for the specific language governing permissions and
13+
limitations under the License.
14+
*/
15+
16+
import { Component, h } from "preact";
17+
import * as db from "./db";
18+
import { pushState, Router } from "./router";
19+
import * as types from "./types";
20+
import { equal } from "./util";
21+
22+
import { ErrorPage } from "./components/error";
23+
import { GlobalHeader } from "./components/header";
24+
import { Loading } from "./components/loading";
25+
import { UserMenu } from "./components/menu";
26+
import { Notebook } from "./components/notebook";
27+
import { Profile } from "./components/profile";
28+
import { Recent } from "./components/recent";
29+
30+
interface BindProps {
31+
[key: string]: (props: any) => Promise<any>;
32+
}
33+
34+
interface BindState {
35+
data: { [key: string]: string };
36+
error: string;
37+
}
38+
39+
function bind(C, bindProps: BindProps) {
40+
return class extends Component<any, BindState> {
41+
state = { data: null, error: null };
42+
prevMatches = null;
43+
44+
async loadData() {
45+
if (equal(this.props.matches, this.prevMatches)) return;
46+
this.prevMatches = this.props.matches;
47+
const data = {};
48+
for (const key in bindProps) {
49+
if (!bindProps[key]) continue;
50+
try {
51+
data[key] = await bindProps[key](this.props);
52+
} catch (e) {
53+
this.setState({ data: null, error: e.message });
54+
return;
55+
}
56+
}
57+
this.setState({ data, error: null });
58+
}
59+
60+
render() {
61+
this.loadData();
62+
const { data, error } = this.state;
63+
if (error) return <ErrorPage message={error} />;
64+
if (!data) return <Loading />;
65+
return <C {...this.props} {...data} />;
66+
}
67+
};
68+
}
69+
70+
// An anonymous notebook doc for when users aren't logged in
71+
const anonDoc = {
72+
anonymous: true,
73+
cells: [],
74+
created: new Date(),
75+
owner: {
76+
displayName: "Anonymous",
77+
photoURL: "/static/img/anon_profile.png?",
78+
uid: ""
79+
},
80+
title: "Anonymous Notebook",
81+
updated: new Date()
82+
};
83+
84+
// TODO Move these components to ./pages.tsx.
85+
// tslint:disable:variable-name
86+
async function onNewNotebookClicked() {
87+
const nbId = await db.active.create();
88+
// Redirect to new notebook.
89+
pushState(`/notebook/${nbId}`);
90+
}
91+
92+
async function onPreviewClicked(nbId: string) {
93+
// Redirect to notebook.
94+
pushState(`/notebook/${nbId}`);
95+
}
96+
97+
export const RecentPage = bind(Recent, {
98+
mostRecent() {
99+
return db.active.queryLatest();
100+
},
101+
async onClick() {
102+
return (nbId: string) => onPreviewClicked(nbId);
103+
},
104+
async onNewNotebookClicked() {
105+
return () => onNewNotebookClicked();
106+
}
107+
});
108+
109+
export const ProfilePage = bind(Profile, {
110+
notebooks(props) {
111+
const uid = props.matches.userId;
112+
return db.active.queryProfile(uid, 100);
113+
},
114+
async onClick() {
115+
return (nbId: string) => onPreviewClicked(nbId);
116+
},
117+
async onNewNotebookClicked() {
118+
return () => onNewNotebookClicked();
119+
}
120+
});
121+
122+
export const NotebookPage = bind(Notebook, {
123+
initialDoc(props) {
124+
const nbId = props.matches.nbId;
125+
return nbId === "anonymous"
126+
? Promise.resolve(anonDoc)
127+
: db.active.getDoc(nbId);
128+
},
129+
save(props) {
130+
const nbId = props.matches.nbId;
131+
const cb = async doc => {
132+
if (doc.anonymous) return;
133+
if (!props.userInfo) return;
134+
if (props.userInfo.uid !== doc.owner.uid) return;
135+
try {
136+
await db.active.updateDoc(nbId, doc);
137+
} catch (e) {
138+
// TODO
139+
console.log(e);
140+
}
141+
};
142+
return Promise.resolve(cb);
143+
},
144+
clone(props) {
145+
const cb = async doc => {
146+
const cloneId = await db.active.clone(doc);
147+
// Redirect to new notebook.
148+
pushState(`/notebook/${cloneId}`);
149+
};
150+
return Promise.resolve(cb);
151+
}
152+
});
153+
// tslint:enable:variable-name
154+
155+
export interface AppState {
156+
loadingAuth: boolean;
157+
userInfo: types.UserInfo;
158+
}
159+
160+
export class App extends Component<{}, AppState> {
161+
state = {
162+
loadingAuth: true,
163+
userInfo: null
164+
};
165+
166+
unsubscribe: db.UnsubscribeCb;
167+
componentWillMount() {
168+
this.unsubscribe = db.active.subscribeAuthChange(userInfo => {
169+
this.setState({ loadingAuth: false, userInfo });
170+
});
171+
}
172+
173+
componentWillUnmount() {
174+
this.unsubscribe();
175+
}
176+
177+
render() {
178+
const { userInfo } = this.state;
179+
return (
180+
<div class="notebook">
181+
<GlobalHeader subtitle="Notebook" subtitleLink="/">
182+
<UserMenu userInfo={userInfo} />
183+
</GlobalHeader>
184+
<Router>
185+
<RecentPage path="/" userInfo={userInfo} />
186+
<NotebookPage path="/notebook/:nbId" userInfo={userInfo} />
187+
<ProfilePage path="/user/:userId" userInfo={userInfo} />
188+
<ErrorPage message="The page you're looking for doesn't exist." />
189+
</Router>
190+
</div>
191+
);
192+
}
193+
}

src/components/menu.tsx

+1
Original file line numberDiff line numberDiff line change
@@ -26,6 +26,7 @@ export interface UserMenuProps {
2626

2727
export function UserMenu(props): JSX.Element {
2828
if (props.userInfo) {
29+
// TODO "Your notebooks" link
2930
return (
3031
<div class="dropdown">
3132
<Avatar size={32} userInfo={props.userInfo} />

src/components/new_notebook_button.tsx

+6-9
Original file line numberDiff line numberDiff line change
@@ -14,19 +14,16 @@
1414
*/
1515

1616
import { h } from "preact";
17-
// TODO None of component in ./src/components should depend on ./src/db.ts.
18-
import * as db from "../db";
19-
import { nbUrl } from "./common";
2017

21-
export function newNotebookButton(): JSX.Element {
18+
export interface NewNotebookProps {
19+
onClick: () => void;
20+
}
21+
22+
export function NewNotebook(props: NewNotebookProps): JSX.Element {
2223
return (
2324
<button
2425
class="create-notebook"
25-
onClick={async () => {
26-
// Redirect to new notebook.
27-
const nbId = await db.active.create();
28-
window.location.href = nbUrl(nbId);
29-
}}
26+
onClick={ () => props.onClick && props.onClick()}
3027
>
3128
+ New Notebook
3229
</button>

src/components/notebook.tsx

+11-8
Original file line numberDiff line numberDiff line change
@@ -35,7 +35,7 @@ export interface NotebookProps {
3535
save?: (doc: types.NotebookDoc) => void;
3636
initialDoc?: types.NotebookDoc;
3737
userInfo?: types.UserInfo; // Info about currently logged in user.
38-
clone?: () => void;
38+
clone?: (doc: types.NotebookDoc) => void;
3939
}
4040

4141
export interface NotebookState {
@@ -178,12 +178,7 @@ export class Notebook extends Component<NotebookProps, NotebookState> {
178178
this.active = cellId;
179179
}
180180

181-
onClone() {
182-
if (this.props.clone) this.props.clone();
183-
}
184-
185-
save() {
186-
if (!this.props.save) return;
181+
toDoc(): types.NotebookDoc {
187182
const cells = [];
188183
for (const key of this.state.order) {
189184
cells.push(this.state.codes.get(key));
@@ -199,7 +194,15 @@ export class Notebook extends Component<NotebookProps, NotebookState> {
199194
title: this.state.title,
200195
updated: new Date()
201196
};
202-
this.props.save(doc);
197+
return doc;
198+
}
199+
200+
onClone() {
201+
if (this.props.clone) this.props.clone(this.toDoc());
202+
}
203+
204+
save() {
205+
if (this.props.save) this.props.save(this.toDoc());
203206
}
204207

205208
handleTitleChange(event) {

src/components/preview.tsx

+3-13
Original file line numberDiff line numberDiff line change
@@ -22,7 +22,7 @@ import { Component, h } from "preact";
2222
import * as db from "../db";
2323
import * as types from "../types";
2424
import { Avatar } from "./avatar";
25-
import { docTitle, fmtDate } from "./common";
25+
import { docTitle } from "./common";
2626

2727
export interface NotebookPreviewProps {
2828
notebook: types.NbInfo;
@@ -40,23 +40,13 @@ export class NotebookPreview extends Component<NotebookPreviewProps, {}> {
4040
notebook: { doc },
4141
showTitle
4242
} = this.props;
43-
const { created, updated, title } = doc;
43+
const { title } = doc;
4444
const code = db.getInputCodes(doc).join("\n\n");
4545
return (
4646
<a onClick={this.onClick.bind(this)}>
4747
<li>
4848
<div class="code-snippit">{code}</div>
4949
<div class="blurb">
50-
{created ? (
51-
<div class="date-created">
52-
<p class="created">Created {fmtDate(created)}</p>
53-
</div>
54-
) : null}
55-
{updated ? (
56-
<div class="date-updated">
57-
<p class="updated">Updated {fmtDate(updated)}</p>
58-
</div>
59-
) : null}
6050
{!showTitle ? (
6151
<div class="blurb-avatar">
6252
<Avatar userInfo={doc.owner} />
@@ -65,7 +55,7 @@ export class NotebookPreview extends Component<NotebookPreviewProps, {}> {
6555
{!showTitle ? (
6656
<p class="blurb-name">{doc.owner.displayName}</p>
6757
) : null}
68-
{showTitle ? <p class="blurb-tile">{docTitle(title)}</p> : null}
58+
{showTitle ? <p class="blurb-title">{docTitle(title)}</p> : null}
6959
</div>
7060
</li>
7161
</a>

src/components/profile.tsx

+7-2
Original file line numberDiff line numberDiff line change
@@ -21,12 +21,13 @@
2121
import { Component, h } from "preact";
2222
import * as types from "../types";
2323
import { NotebookList } from "./list";
24-
import { newNotebookButton } from "./new_notebook_button";
24+
import { NewNotebook } from "./new_notebook_button";
2525
import { UserTitle } from "./user_title";
2626

2727
export interface ProfileProps {
2828
userInfo: types.UserInfo;
2929
notebooks: types.NbInfo[];
30+
onNewNotebookClicked?: () => void;
3031
onClick?: (nbId: string) => void;
3132
}
3233

@@ -35,6 +36,10 @@ export class Profile extends Component<ProfileProps, {}> {
3536
if (this.props.onClick) this.props.onClick(nbId);
3637
}
3738

39+
onNewNotebookClicked() {
40+
if (this.props.onNewNotebookClicked) this.props.onNewNotebookClicked();
41+
}
42+
3843
render() {
3944
if (this.props.notebooks.length === 0) {
4045
return <h1>User has no notebooks.</h1>;
@@ -44,7 +49,7 @@ export class Profile extends Component<ProfileProps, {}> {
4449
<div class="nb-listing">
4550
<div class="nb-listing-header">
4651
<UserTitle userInfo={doc.owner} />
47-
{newNotebookButton()}
52+
<NewNotebook onClick={this.onNewNotebookClicked.bind(this)} />
4853
</div>
4954
<NotebookList
5055
showTitle={ true }

0 commit comments

Comments
 (0)