chore: Update example

This commit is contained in:
Christian Pauly 2022-02-03 10:27:06 +01:00
parent 01d13e7e2c
commit 780d7daf38
1 changed files with 316 additions and 179 deletions

View File

@ -1,154 +1,219 @@
import 'package:matrix/matrix.dart';
import 'package:flutter/material.dart'; import 'package:flutter/material.dart';
import 'package:matrix/matrix.dart';
import 'package:path_provider/path_provider.dart';
import 'package:provider/provider.dart'; import 'package:provider/provider.dart';
void main() { void main() async {
runApp(FamedlySdkExampleApp()); WidgetsFlutterBinding.ensureInitialized();
final client = Client(
'Matrix Example Chat',
databaseBuilder: (_) async {
final dir = await getApplicationSupportDirectory();
final db = FluffyBoxDatabase('matrix_example_chat', dir.path);
await db.open();
return db;
},
);
await client.init();
runApp(MatrixExampleChat(client: client));
} }
class FamedlySdkExampleApp extends StatelessWidget { class MatrixExampleChat extends StatelessWidget {
final Client client;
const MatrixExampleChat({required this.client, Key? key}) : super(key: key);
@override @override
Widget build(BuildContext context) { Widget build(BuildContext context) {
return Provider<Client>( return MaterialApp(
create: (_) => Client('Famedly SDK Example App'), title: 'Matrix Example Chat',
child: Builder( builder: (context, child) => Provider<Client>(
builder: (context) => MaterialApp( create: (context) => client,
title: 'Famedly SDK Example App', child: child,
home: StreamBuilder<LoginState>( ),
stream: Provider.of<Client>(context).onLoginStateChanged.stream, home: client.isLogged() ? const RoomListPage() : const LoginPage(),
builder: );
(BuildContext context, AsyncSnapshot<LoginState> snapshot) { }
if (snapshot.hasError) { }
return Center(child: Text(snapshot.error.toString()));
} class LoginPage extends StatefulWidget {
if (snapshot.data == LoginState.loggedIn) { const LoginPage({Key? key}) : super(key: key);
return ChatListView();
} @override
return LoginView(); _LoginPageState createState() => _LoginPageState();
}, }
),
class _LoginPageState extends State<LoginPage> {
final TextEditingController _homeserverTextField = TextEditingController(
text: 'matrix.org',
);
final TextEditingController _usernameTextField = TextEditingController();
final TextEditingController _passwordTextField = TextEditingController();
bool _loading = false;
void _login() async {
setState(() {
_loading = true;
});
try {
final client = Provider.of<Client>(context, listen: false);
await client
.checkHomeserver(Uri.https(_homeserverTextField.text.trim(), ''));
await client.login(
LoginType.mLoginPassword,
password: _passwordTextField.text,
identifier: AuthenticationUserIdentifier(user: _usernameTextField.text),
);
Navigator.of(context).pushAndRemoveUntil(
MaterialPageRoute(builder: (_) => const RoomListPage()),
(route) => false,
);
} catch (e) {
ScaffoldMessenger.of(context).showSnackBar(
SnackBar(
content: Text(e.toString()),
),
);
setState(() {
_loading = false;
});
}
}
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(title: const Text('Login')),
body: Padding(
padding: const EdgeInsets.all(16.0),
child: Column(
children: [
TextField(
controller: _homeserverTextField,
readOnly: _loading,
autocorrect: false,
decoration: const InputDecoration(
prefixText: 'https://',
border: OutlineInputBorder(),
labelText: 'Homeserver',
),
),
const SizedBox(height: 16),
TextField(
controller: _usernameTextField,
readOnly: _loading,
autocorrect: false,
decoration: const InputDecoration(
border: OutlineInputBorder(),
labelText: 'Username',
),
),
const SizedBox(height: 16),
TextField(
controller: _passwordTextField,
readOnly: _loading,
autocorrect: false,
obscureText: true,
decoration: const InputDecoration(
border: OutlineInputBorder(),
labelText: 'Password',
),
),
const SizedBox(height: 16),
SizedBox(
width: double.infinity,
child: ElevatedButton(
onPressed: _loading ? null : _login,
child: _loading
? const LinearProgressIndicator()
: const Text('Login'),
),
),
],
), ),
), ),
); );
} }
} }
class LoginView extends StatefulWidget { class RoomListPage extends StatefulWidget {
const RoomListPage({Key? key}) : super(key: key);
@override @override
_LoginViewState createState() => _LoginViewState(); _RoomListPageState createState() => _RoomListPageState();
} }
class _LoginViewState extends State<LoginView> { class _RoomListPageState extends State<RoomListPage> {
final TextEditingController _usernameController = TextEditingController(), void _logout() async {
_passwordController = TextEditingController(), final client = Provider.of<Client>(context, listen: false);
_domainController = TextEditingController(); await client.logout();
Navigator.of(context).pushAndRemoveUntil(
String _errorText; MaterialPageRoute(builder: (_) => const LoginPage()),
(route) => false,
bool _isLoading = false; );
void _loginAction(Client client) async {
setState(() {
_errorText = null;
_isLoading = true;
});
try {
await client.checkHomeserver(_domainController.text);
await client.login(
user: _usernameController.text,
password: _passwordController.text,
);
} catch (e) {
setState(() => _errorText = e.toString());
}
setState(() => _isLoading = false);
} }
@override void _join(Room room) async {
Widget build(BuildContext context) { if (room.membership != Membership.join) {
final client = Provider.of<Client>(context); await room.join();
return Scaffold( }
appBar: AppBar( Navigator.of(context).push(
title: Text('Famedly SDK Example App'), MaterialPageRoute(
), builder: (_) => RoomPage(room: room),
body: ListView(
padding: EdgeInsets.all(16),
children: [
TextField(
controller: _usernameController,
readOnly: _isLoading,
autocorrect: false,
decoration: InputDecoration(
border: OutlineInputBorder(),
labelText: 'Username',
),
),
SizedBox(height: 16),
TextField(
controller: _passwordController,
readOnly: _isLoading,
autocorrect: false,
obscureText: true,
decoration: InputDecoration(
border: OutlineInputBorder(),
labelText: 'Password',
),
),
SizedBox(height: 16),
TextField(
controller: _domainController,
readOnly: _isLoading,
autocorrect: false,
decoration: InputDecoration(
border: OutlineInputBorder(),
labelText: 'Password',
hintText: 'https://matrix.org',
errorText: _errorText,
errorMaxLines: 4,
),
),
SizedBox(height: 16),
RaisedButton(
child: _isLoading ? LinearProgressIndicator() : Text('Login'),
onPressed: _isLoading ? null : () => _loginAction(client),
),
],
), ),
); );
} }
}
class ChatListView extends StatelessWidget {
@override @override
Widget build(BuildContext context) { Widget build(BuildContext context) {
final client = Provider.of<Client>(context); final client = Provider.of<Client>(context, listen: false);
return Scaffold( return Scaffold(
appBar: AppBar( appBar: AppBar(
title: Text('Chats'), title: const Text('Chats'),
actions: [
IconButton(
icon: const Icon(Icons.logout),
onPressed: _logout,
),
],
), ),
body: StreamBuilder( body: StreamBuilder(
stream: client.onSync.stream, stream: client.onSync.stream,
builder: (context, _) => ListView.builder( builder: (context, _) => ListView.builder(
itemCount: client.rooms.length, itemCount: client.rooms.length,
itemBuilder: (BuildContext context, int i) => ListTile( itemBuilder: (context, i) => ListTile(
leading: CircleAvatar( leading: CircleAvatar(
backgroundImage: client.rooms[i].avatar == null foregroundImage: client.rooms[i].avatar == null
? null ? null
: NetworkImage( : NetworkImage(client.rooms[i].avatar!
client.rooms[i].avatar.getThumbnail( .getThumbnail(
client, client,
width: 64, width: 56,
height: 64, height: 56,
), )
), .toString()),
), ),
title: Text(client.rooms[i].displayname), title: Row(
subtitle: Text(client.rooms[i].lastMessage), children: [
onTap: () => Navigator.of(context).push( Expanded(child: Text(client.rooms[i].displayname)),
MaterialPageRoute( if (client.rooms[i].notificationCount > 0)
builder: (_) => ChatView(roomId: client.rooms[i].id), Material(
), borderRadius: BorderRadius.circular(99),
color: Colors.red,
child: Padding(
padding: const EdgeInsets.all(2.0),
child:
Text(client.rooms[i].notificationCount.toString()),
))
],
), ),
subtitle: Text(
client.rooms[i].lastEvent?.body ?? 'No messages',
maxLines: 1,
),
onTap: () => _join(client.rooms[i]),
), ),
), ),
), ),
@ -156,77 +221,128 @@ class ChatListView extends StatelessWidget {
} }
} }
class ChatView extends StatelessWidget { class RoomPage extends StatefulWidget {
final String roomId; final Room room;
const RoomPage({required this.room, Key? key}) : super(key: key);
const ChatView({Key key, @required this.roomId}) : super(key: key); @override
_RoomPageState createState() => _RoomPageState();
}
class _RoomPageState extends State<RoomPage> {
late final Future<Timeline> _timelineFuture;
final GlobalKey<AnimatedListState> _listKey = GlobalKey<AnimatedListState>();
int _count = 0;
@override
void initState() {
_timelineFuture = widget.room.getTimeline(onChange: (i) {
print('on change! $i');
_listKey.currentState?.setState(() {});
}, onInsert: (i) {
print('on insert! $i');
_listKey.currentState?.insertItem(i);
_count++;
}, onRemove: (i) {
print('On remove $i');
_count--;
_listKey.currentState?.removeItem(i, (_, __) => const ListTile());
}, onHistoryReceived: (count) {
print('On History Received $count');
for (var i = 0; i < count; i++) {
_listKey.currentState?.insertItem(_count + i);
}
_count += count;
});
super.initState();
}
final TextEditingController _sendController = TextEditingController();
void _send() {
widget.room.sendTextEvent(_sendController.text.trim());
_sendController.clear();
}
@override @override
Widget build(BuildContext context) { Widget build(BuildContext context) {
final client = Provider.of<Client>(context); return Scaffold(
final TextEditingController _sendController = TextEditingController(); appBar: AppBar(
return StreamBuilder<Object>( title: Text(widget.room.displayname),
stream: client.onSync.stream, ),
builder: (context, _) { body: SafeArea(
final room = client.getRoomById(roomId); child: Column(
return Scaffold( children: [
appBar: AppBar( Expanded(
title: Text(room.displayname),
),
body: SafeArea(
child: FutureBuilder<Timeline>( child: FutureBuilder<Timeline>(
future: room.getTimeline(), future: _timelineFuture,
builder: builder: (context, snapshot) {
(BuildContext context, AsyncSnapshot<Timeline> snapshot) {
if (!snapshot.hasData) {
return Center(child: CircularProgressIndicator());
}
final timeline = snapshot.data; final timeline = snapshot.data;
if (timeline == null) {
return const Center(
child: CircularProgressIndicator.adaptive(),
);
}
_count = timeline.events.length;
return Column( return Column(
children: [ children: [
Expanded( Center(
child: ListView.builder( child: TextButton(
reverse: true, onPressed: timeline.requestHistory,
itemCount: timeline.events.length, child: const Text('Load more...')),
itemBuilder: (BuildContext context, int i) {
final event = timeline.events[i];
final sender = event.sender;
return ListTile(
leading: CircleAvatar(
backgroundImage: sender.avatarUrl == null
? null
: NetworkImage(
sender.avatarUrl.getThumbnail(
client,
width: 64,
height: 64,
),
),
),
title: Text(sender.calcDisplayname()),
subtitle: Text(event.body),
);
},
),
), ),
Divider(height: 1), const Divider(height: 1),
Container( Expanded(
height: 56, child: AnimatedList(
child: Row( key: _listKey,
children: [ reverse: true,
Expanded( initialItemCount: timeline.events.length,
child: TextField( itemBuilder: (context, i, animation) => timeline
controller: _sendController, .events[i].relationshipEventId !=
), null
), ? Container()
IconButton( : ScaleTransition(
icon: Icon(Icons.send), scale: animation,
onPressed: () { child: Opacity(
room.sendTextEvent(_sendController.text); opacity: timeline.events[i].status.isSent
_sendController.clear(); ? 1
}, : 0.5,
), child: ListTile(
], leading: CircleAvatar(
foregroundImage: timeline.events[i]
.sender.avatarUrl ==
null
? null
: NetworkImage(timeline
.events[i].sender.avatarUrl!
.getThumbnail(
widget.room.client,
width: 56,
height: 56,
)
.toString()),
),
title: Row(
children: [
Expanded(
child: Text(timeline
.events[i].sender
.calcDisplayname()),
),
Text(
timeline.events[i].originServerTs
.toIso8601String(),
style:
const TextStyle(fontSize: 10),
),
],
),
subtitle: Text(timeline.events[i]
.getDisplayEvent(timeline)
.body),
),
),
),
), ),
), ),
], ],
@ -234,7 +350,28 @@ class ChatView extends StatelessWidget {
}, },
), ),
), ),
); const Divider(height: 1),
}); Padding(
padding: const EdgeInsets.symmetric(horizontal: 16.0),
child: Row(
children: [
Expanded(
child: TextField(
controller: _sendController,
decoration: const InputDecoration(
hintText: 'Send message',
),
)),
IconButton(
icon: const Icon(Icons.send_outlined),
onPressed: _send,
),
],
),
),
],
),
),
);
} }
} }