Skip to main content

ENS contract "register" function failing

I wanted to ask a question about my ENS domain register flow that im doing in node.js

It goes as follows :

  • I check and verify that the domain is available by calling available
  • I call makeCommitment
  • I pass the output from makeCommitment to the commit Function and send it as a transaction
  • I wait for 90 seconds
  • I call register (passing in the same arguments I passed into make commit) and send it as a transaction with the value being the rentPrice of the domain

The last step is where it fails.

Here is the output of makeCommitment when manually passing in the same data my coded uses (check image):

enter image description here

The commitment my code generated matches the one in the image
commitment : 0x3f39cd6bbf253c6cc72e623a619b69dad1edee34889a7f95e7a67f5e621243de

Here is my transaction to the commit call

Here is the Failing transaction to register call

The code is attached. it uses ethers.js version 5.7.2

This is the Controller contract address I'm using : 0xCc5e7dB10E65EED1BBD105359e7268aa660f6734

I'm using the ABI that is found on the contract page on etherscan (GOERLI network).

Any idea why register keeps failing ? I been trying to debug this for the past 3 days.

I also tried to post this in the ENS developer forums but i do not have permissions to post on that page.

Here is my code :

const { ethers } = require("ethers");

const ENSGetRegisterPriceForDuration = async (DOMAIN, years = 1) => {
  if (!DOMAIN) {
    return;
  }

  let provider = new ethers.providers.JsonRpcProvider(process.env.ETHEREUM_GOERLI);
  let Contract = new ethers.Contract(ENS_REGISTRAR.address, ENS_REGISTRAR.abi, provider);
  const [BigNumber] = await Contract.functions.rentPrice(DOMAIN, ONE_YEAR * years);
  const bigNumber = ethers.utils.formatEther(BigNumber[0]).toString();
  const decimalValue = bigNumber.toString();
  console.log(`Estimated cost for ${DOMAIN}.eth for a period of ${years} years : ${decimalValue} ETH`);
  return decimalValue;
};

const ENSIsAvailable = async (DOMAIN) => {
  if (!DOMAIN) {
    return;
  }

  let provider = new ethers.providers.JsonRpcProvider(process.env.ETHEREUM_GOERLI);
  let Contract = new ethers.Contract(ENS_REGISTRAR.address, ENS_REGISTRAR.abi, provider);
  const [result] = await Contract.functions.available(DOMAIN);
  console.log(`${DOMAIN}.eth is ${result ? "AVAILABLE" : "NOT AVAILABLE"}`);
  return result;
};

const makeCommitment = async (DOMAIN, years = 1) => {
  const provider = new ethers.providers.JsonRpcProvider(process.env.ETHEREUM_GOERLI);
  const privateKey = process.env.PRIVATE_KEY;
  const signer = new ethers.Wallet(privateKey, provider);

  const salt = ethers.utils.namehash(DOMAIN);

  let registrar = new ethers.Contract(ENS_REGISTRAR.address, ENS_REGISTRAR.abi, provider);

  const [commitment] = await registrar.functions.makeCommitment(
    DOMAIN,
    signer.address,
    ONE_YEAR * years, // 31536000
    salt,
    "0xd7a4F6473f32aC2Af804B3686AE8F1932bC35750",
    ["0x"],
    true,
    0,
  );
  console.log("commitment :", commitment, "\n", "salt :", salt);
  return commitment;
};
const commit = async (commitment) => {
  const provider = new ethers.providers.JsonRpcProvider(process.env.ETHEREUM_GOERLI);
  const privateKey = process.env.PRIVATE_KEY;
  const signer = new ethers.Wallet(privateKey, provider);

  let registrar = new ethers.Contract(ENS_REGISTRAR.address, ENS_REGISTRAR.abi, provider);

  const recieptCommit = await registrar.connect(signer).commit(commitment, { gasLimit: 50000 });
  return recieptCommit;
};

const register = async (DOMAIN, years = 1) => {
  const provider = new ethers.providers.JsonRpcProvider(process.env.ETHEREUM_GOERLI);
  const privateKey = process.env.PRIVATE_KEY;
  const signer = new ethers.Wallet(privateKey, provider);

  let registrar = new ethers.Contract(ENS_REGISTRAR.address, ENS_REGISTRAR.abi, provider);
  const salt = ethers.utils.namehash(DOMAIN);
  const registerTxn = await registrar.populateTransaction.register(
    DOMAIN,
    signer.address,
    ONE_YEAR * years,
    salt,
    "0xd7a4F6473f32aC2Af804B3686AE8F1932bC35750",
    ["0x"],
    true,
    0,
    {
      value: ethers.utils.parseEther(
        (parseFloat(await ENSGetRegisterPriceForDuration(DOMAIN, years)) * 1.1).toFixed(6).toString(),
      ),
      gasLimit: 500000,
    },
  );

  //Returns a Promise which resolves to the transaction.
  let sendTxnRegister = await signer.sendTransaction(registerTxn);

  //Resolves to the TransactionReceipt once the transaction has been included in the chain for x confirms blocks.
  let recieptRegister = await sendTxnRegister.wait();

  if (recieptRegister) {
    console.log(
      " - Transaction is mined - " + "\n" + "Transaction Hash:",
      (await sendTxnRegister.hash) +
        "\n" +
        "Block Number: " +
        (await recieptRegister).blockNumber +
        "\n" +
        "Navigate to  https://goerli.etherscan.io/tx/" +
        (await sendTxnRegister).hash,
      "to see your transaction",
    );
  }
};

const ENSBuy = async (DOMAIN, years = 1) => {
  if (await ENSIsAvailable(DOMAIN)) {
    const commitment = await makeCommitment(DOMAIN, years);
    if (commitment) {
      const committed = await commit(commitment);
      if (committed) {
        setTimeout(async () => {
          await register(DOMAIN, years);
        }, 90000);
      }
    }
  }
};

ENSBuy("kw3", 1);
Via Active questions tagged javascript - Stack Overflow https://ift.tt/Yemw74r

Comments

Popular posts from this blog

ValueError: X has 10 features, but LinearRegression is expecting 1 features as input

So, I am trying to predict the model but its throwing error like it has 10 features but it expacts only 1. So I am confused can anyone help me with it? more importantly its not working for me when my friend runs it. It works perfectly fine dose anyone know the reason about it? cv = KFold(n_splits = 10) all_loss = [] for i in range(9): # 1st for loop over polynomial orders poly_order = i X_train = make_polynomial(x, poly_order) loss_at_order = [] # initiate a set to collect loss for CV for train_index, test_index in cv.split(X_train): print('TRAIN:', train_index, 'TEST:', test_index) X_train_cv, X_test_cv = X_train[train_index], X_test[test_index] t_train_cv, t_test_cv = t[train_index], t[test_index] reg.fit(X_train_cv, t_train_cv) loss_at_order.append(np.mean((t_test_cv - reg.predict(X_test_cv))**2)) # collect loss at fold all_loss.append(np.mean(loss_at_order)) # collect loss at order plt.plot(np.log(al...

Sorting large arrays of big numeric stings

I was solving bigSorting() problem from hackerrank: Consider an array of numeric strings where each string is a positive number with anywhere from to digits. Sort the array's elements in non-decreasing, or ascending order of their integer values and return the sorted array. I know it works as follows: def bigSorting(unsorted): return sorted(unsorted, key=int) But I didnt guess this approach earlier. Initially I tried below: def bigSorting(unsorted): int_unsorted = [int(i) for i in unsorted] int_sorted = sorted(int_unsorted) return [str(i) for i in int_sorted] However, for some of the test cases, it was showing time limit exceeded. Why is it so? PS: I dont know exactly what those test cases were as hacker rank does not reveal all test cases. source https://stackoverflow.com/questions/73007397/sorting-large-arrays-of-big-numeric-stings

How to load Javascript with imported modules?

I am trying to import modules from tensorflowjs, and below is my code. test.html <!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8"> <title>Document</title </head> <body> <script src="https://cdn.jsdelivr.net/npm/@tensorflow/tfjs@2.0.0/dist/tf.min.js"></script> <script type="module" src="./test.js"></script> </body> </html> test.js import * as tf from "./node_modules/@tensorflow/tfjs"; import {loadGraphModel} from "./node_modules/@tensorflow/tfjs-converter"; const MODEL_URL = './model.json'; const model = await loadGraphModel(MODEL_URL); const cat = document.getElementById('cat'); model.execute(tf.browser.fromPixels(cat)); Besides, I run the server using python -m http.server in my command prompt(Windows 10), and this is the error prompt in the console log of my browser: Failed to loa...