I've seen that calling js is definitely possible from dart web using the dart js package, however haven't found a way to do this from dart native. For some more context - I have an npm package written in javascript and I would like to invoke this from a flutter mobile app. Calling the javascript directly or somehow wrapping it in dart or some other way are all fine for me, however rewriting it in dart is not possible as said npm package depends on a very specific cryptography javascript package to which no equivalent exists in dart, and recreating said cryptography package would bear a huge workload and significant security risks. Thank you in advance!
-
3It's not possible. You can either port the library to Dart (which cryptography function is missing?) or find the same in C and call it via FFI.Richard Heap– Richard Heap2022-05-10 17:50:38 +00:00Commented May 10, 2022 at 17:50
-
What's the "very specific crypto package"?Richard Heap– Richard Heap2022-05-19 01:12:36 +00:00Commented May 19, 2022 at 1:12
-
snarkJS, circomlib, and the circom compileruser8352734– user83527342022-05-19 09:08:42 +00:00Commented May 19, 2022 at 9:08
-
It looks like FFI to the C++ equivalents might be possible.Richard Heap– Richard Heap2022-05-19 12:56:35 +00:00Commented May 19, 2022 at 12:56
Add a comment
|
2 Answers
Embed a WebView in your app and use it to run JavaScript:
import 'dart:async';
import 'package:flutter/material.dart';
import 'package:webview_flutter/webview_flutter.dart';
main() {
runApp(_Test());
}
class _Test extends StatelessWidget {
final completer = Completer<WebViewController>();
@override
Widget build(BuildContext context) {
var js = '1+1';
return MaterialApp(
home: Scaffold(
body: Stack(
children: [
WebView(
javascriptMode: JavascriptMode.unrestricted,
onWebViewCreated: (controller) {
if (!completer.isCompleted) completer.complete(controller);
},
),
Center(
child: FutureBuilder(
future: completer.future.then((controller) {
return controller.runJavascriptReturningResult(js);
}),
builder: (context, snapshot) {
if (snapshot.hasError) throw snapshot.error!;
if (!snapshot.hasData) return Container();
return Text('$js=${snapshot.data}', style: Theme.of(context).textTheme.headline2);
},
),
),
],
),
),
);
}
}
Comments
If all you need is the Circom library, someone has already implemented it in Dart. You can check out the Hermez SDK package and see how they did it. Specifically, in this file.
3 Comments
triple7
Personally, I would avoid spinning up a web view just so I can run some arbitrary code in it. It's just opening myself to potential memory and security leaks, and it just "feels wrong". You know?