Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Language Server Import Resolver #4

Open
wants to merge 16 commits into
base: main
Choose a base branch
from
Open
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
49 changes: 39 additions & 10 deletions components/LSP/useLanguageServer.js
Original file line number Diff line number Diff line change
@@ -1,9 +1,13 @@
import { useState, useEffect } from "react";
import { useState, useEffect, useMemo, useRef } from "react";
import { monaco } from "react-monaco-editor";
import { MonacoServices } from "monaco-languageclient/lib/monaco-services";

import { CadenceLanguageServer } from "./language-server";
import { createCadenceLanguageClient } from "./language-client";
import { useNetworkContext } from "../../contexts/NetworkContext";
import { setEnvironment } from "flow-cadut";
import { useRegistryContext } from "../Registry";
import { debounce } from "../../utils";

let monacoServicesInstalled = false;

Expand Down Expand Up @@ -39,6 +43,9 @@ const launchLanguageClient = async (
};

export default function useLanguageServer() {
const network = useNetworkContext() || "testnet";
const { registry, contracts, getContractCode } = useRegistryContext();

let initialCallbacks = {
// The actual callback will be set as soon as the language server is initialized
toServer: null,
Expand All @@ -63,28 +70,44 @@ export default function useLanguageServer() {
const [languageClient, setLanguageClient] = useState(null);
const [callbacks, setCallbacks] = useState(initialCallbacks);

const getCode = (address) => {
// TODO: Fetch code from address.
/*
This is probably can't be implemented right now as server expects only address,
but not the name of the contract.
*/
return "";
const timer = useRef(null)

const getCode = (importStatement) => {
const [address,contractName] = importStatement.split(".")
const code = getContractCode(contractName, address) || ""
if(code === ""){
console.log(`%c+++++++++++++ NOT FOUND!!!!!!!!!! ${contractName}`,"color: red")
}
return code
};

const restartServer = () => {
const restartServer = ()=>{
console.log("Restarting server...");

startLanguageServer(callbacks, getCode, {
setLanguageServer,
setCallbacks,
}).then();
};
}

const debouncedRestart = () => {
if(timer.current){
clearTimeout(timer.current);
}
timer.current = setTimeout(()=>{
console.log("Restart language server")
if(languageServer){
languageServer.updateCodeGetter(getCode)
// restartServer()
}
}, 2000);
}

useEffect(() => {
// The Monaco Language Client services have to be installed globally, once.
// An editor must be passed, which is only used for commands.
// As the Cadence language server is not providing any commands this is OK
setEnvironment(network);

console.log("Installing monaco services");
if (!monacoServicesInstalled) {
Expand All @@ -101,6 +124,12 @@ export default function useLanguageServer() {
}
}, [languageServer]);

useEffect(()=>{
if(languageServer){
languageServer.updateCodeGetter(getCode)
}
},[registry, contracts])

return {
languageClient,
languageServer,
Expand Down
88 changes: 88 additions & 0 deletions components/Registry/hooks.js
Original file line number Diff line number Diff line change
@@ -0,0 +1,88 @@
import { useEffect, useReducer, useState } from "react";
import { extendEnvironment, extractImports } from "flow-cadut";
import * as fcl from "@onflow/fcl";

import { fetchRegistry, prepareEnvironments } from "../../utils";
import { useNetworkContext } from "../../contexts/NetworkContext";

const contractReducer = (state, action) => {
const { contracts, network } = action;

return {
...state,
[network]: {
...state[network],
...contracts,
},
};
};

export const useRegistry = () => {
const network = useNetworkContext() || "testnet";
const [registry, setRegistry] = useState({});
const [contracts, dispatch] = useReducer(contractReducer, {
testnet: {},
mainnet: {},
});

const getRegistry = async () => {
const data = await fetchRegistry();
const registry = prepareEnvironments(data);
extendEnvironment(registry);
setRegistry(registry);
};

useEffect(() => {
getRegistry().then();
}, []);

const fetchDependencies = (list) => {
const keys = Object.keys(list);
for (let i = 0; i < keys.length; i++) {
// TODO: check if it's cached
const name = keys[i];
const address = list[name];
const contract = contracts[network][name];
if (!contract) {
fetchContract(name, address);
}
}
};

const fetchContract = async (name, exactAddress) => {
let address = exactAddress;
if (!exactAddress && registry[network]) {
address = registry[network][name]
}
if(!address){
return false
}
try {
console.log("--------> ADDRESS:", {name, exactAddress, address})
const { contracts } = await fcl
.send([fcl.getAccount(address)])
.then(fcl.decode);
const code = contracts[name] || "";
const dependencies = extractImports(code);
fetchDependencies(dependencies);

// Update state
dispatch({
contracts,
network,
});
} catch (e) {
console.error(e);
}
};

const getContractCode = (name, address) => {
const contract = contracts[network][name];
if(!contract){
fetchContract(name, address).then();
}
return contract || "";
};

return { registry, contracts, fetchContract, getContractCode };
};
15 changes: 15 additions & 0 deletions components/Registry/index.js
Original file line number Diff line number Diff line change
@@ -0,0 +1,15 @@
import { createContext, useContext } from "react";
import { useRegistry } from "./hooks";

export const RegistryContext = createContext({});
export const useRegistryContext = () => useContext(RegistryContext);

export default function RegistryProvider(props) {
const registry = useRegistry();
const { children } = props;
return (
<RegistryContext.Provider value={registry}>
{children}
</RegistryContext.Provider>
);
}
2 changes: 1 addition & 1 deletion package.json
Original file line number Diff line number Diff line change
Expand Up @@ -13,7 +13,7 @@
"@onflow/fcl": "^0.0.77",
"@picocss/pico": "^1.4.1",
"copy-webpack-plugin": "^10.2.4",
"flow-cadut": "^0.1.15-alpha.26",
"flow-cadut": "^0.1.16-alpha.3",
"monaco-editor": "^0.31.1",
"monaco-editor-webpack-plugin": "^7.0.1",
"monaco-languageclient": "^0.18.1",
Expand Down
5 changes: 4 additions & 1 deletion pages/_app.js
Original file line number Diff line number Diff line change
Expand Up @@ -6,6 +6,7 @@ import * as fcl from "@onflow/fcl";
import { NetworkProvider } from "../contexts/NetworkContext";
import { configureForNetwork } from "../flow/config";
import React, { useState } from "react";
import RegistryProvider from "../components/Registry";

function MyApp({ Component, pageProps }) {
const [network, setNetwork] = useState();
Expand Down Expand Up @@ -45,7 +46,9 @@ function MyApp({ Component, pageProps }) {
<main className="container">
<TransactionProvider>
<NetworkProvider value={network}>
<Component {...pageProps} />
<RegistryProvider>
<Component {...pageProps} />
</RegistryProvider>
</NetworkProvider>
</TransactionProvider>
</main>
Expand Down
70 changes: 46 additions & 24 deletions pages/index.js
Original file line number Diff line number Diff line change
@@ -1,6 +1,7 @@
import React, { useEffect, useState } from "react";
import Head from "next/head";
import dynamic from "next/dynamic";
import * as fcl from "@onflow/fcl";
import {
executeScript,
sendTransaction,
Expand All @@ -14,16 +15,17 @@ import {

import Transaction from "../components/Transaction";
import CadenceEditor from "../components/CadenceEditor";
import Registry from "../components/Registry";

import { useNetworkContext } from "../contexts/NetworkContext";
import { buttonLabels } from "../templates/labels";
import { baseTransaction, flovatarTotalSupply } from "../templates/code";

import * as fcl from "@onflow/fcl";

import "../flow/config.js";
import { configureForNetwork } from "../flow/config";
import { debounce, fetchRegistry, prepareEnvironments } from "../utils";
import { debounce } from "../utils";
import { useRegistryContext } from "../components/Registry";
import { cdc } from "@onflow/fcl";

const CadenceChecker = dynamic(
() => import("../components/LSP/CadenceChecker"),
Expand Down Expand Up @@ -65,20 +67,31 @@ const prepareFinalImports = async (list, setFinal) => {
};

export default function Home() {
const initCode = cdc`
//
import FlovatarComponent from 0x0cf264811b95d465

pub fun main(): UInt64 {
return FlovatarComponent.totalSupply
}
`();

// HOOKS
const [monacoReady, setMonacoReady] = useState(false);
const [code, updateScriptCode] = useState(flovatarTotalSupply);
const [result, setResult] = useState();
const [user, setUser] = useState();
const [registry, setRegistry] = useState(null);
const [importList, setImportList] = useState({});
const [finalImports, setFinalImports] = useState([]);

const network = useNetworkContext() || "testnet";

const templateInfo = getTemplateInfo(code);
const { type, signers, args } = templateInfo;
// CONTEXTS
const fullRegistry = useRegistryContext();
const { registry, contracts, fetchContract } = fullRegistry;

console.log({fullRegistry})

// METHDOS
// METHODS
const updateImports = async () => {
const env = await getEnvironment(network);
const newCode = replaceImportAddresses(code, env);
Expand All @@ -87,7 +100,6 @@ export default function Home() {
const send = async () => {
await setEnvironment(network);
extendEnvironment(registry);

switch (true) {
// Script Handling
case type === "script": {
Expand Down Expand Up @@ -126,36 +138,46 @@ export default function Home() {
break;
}
};
const getRegistry = async () => {
const data = await fetchRegistry();
const registry = prepareEnvironments(data);
extendEnvironment(registry);
setRegistry(registry);

const fetchContracts = () => {
if (fetchContract) {
const contracts = Object.keys(importList);
for (let i = 0; i < contracts.length; i++) {
const name = contracts[i];
fetchContract(name);
}
}
};

// CONSTANTS
const templateInfo = getTemplateInfo(code);
const { type, signers, args } = templateInfo;
const fclAble = signers && signers === 1 && type === "transaction";
const disabled =
type === "unknown" || type === "contract" || !monacoReady || signers > 1;

// EFFECTS
useEffect(() => {
fcl.unauthenticate();
fcl.currentUser().subscribe(setUser);

getRegistry().then();
}, []);
useEffect(() => {
setEnvironment(network);
if (registry !== null) {
if (registry) {
extendEnvironment(registry);
}
}, [network]);
useEffect(() => getImports(code, setImportList), [code]);
useEffect(
() => prepareFinalImports(importList, setFinalImports),
[importList, network]
);
useEffect(() => {
prepareFinalImports(importList, setFinalImports);
}, [importList, network]);
useEffect(() => {
fetchContracts();
}, [importList]);

const fclAble = signers && signers === 1 && type === "transaction";
const disabled =
type === "unknown" || type === "contract" || !monacoReady || signers > 1;
// TODO: Refresh editor to enable recheck

// RENDER
return (
<div>
<Head>
Expand Down
15 changes: 9 additions & 6 deletions templates/code.js
Original file line number Diff line number Diff line change
@@ -1,19 +1,22 @@
export const baseScript = `
import { cdc } from "@onflow/fcl";

export const baseScript = cdc`
// This is the most basic script you can execute on Flow Network
pub fun main():Int {
return 42
}
`.slice(1); // remove new line at the bof
`();

export const flovatarTotalSupply = `
export const flovatarTotalSupply = cdc`
/// pragma title Flovatar Total Supply
import Flovatar from 0x01

pub fun main():UInt64{
return Flovatar.totalSupply
}
`.slice(1); // remove new line at the bof
`();

export const baseTransaction = `
export const baseTransaction = cdc`
// This is the most basic transaction you can execute on Flow Network
transaction() {
prepare(signer: AuthAccount) {
Expand All @@ -23,4 +26,4 @@ transaction() {

}
}
`.slice(1); // remove new line at the bof
`();