主頁 > 區塊鏈 > 為什么這個宏[VBA]代碼在從MicrosoftWord自動生成電子郵件時會創建不必要的重復電子郵件?

為什么這個宏[VBA]代碼在從MicrosoftWord自動生成電子郵件時會創建不必要的重復電子郵件?

2022-09-15 17:56:30 區塊鏈

我是宏的新手,我發現 Imnoss 的“增強的郵件合并到電子郵件”代碼對于在 MS Word 中起草電子郵件并自動將它們與各自的文本變數復制到起草電子郵件的作業應用程式非常有用。

Imnoss 原代碼:https ://imnoss.com/enhanced-mail-merge-to-email/

我對其進行了一些調整,以防止內置功能自動發送電子郵件,這是我不想要的——我使用它的目的是簡單地起草電子郵件并將它們發送給我的老板進行審查。代碼已修改為“ Select Case MsgBox( ...”

有人可以看看我在下面調整過的代碼,并建議是什么導致輸出起草的電子郵件有時會復制為兩個副本,而不是每個輸入起草一封電子郵件?非常感謝!

Sub EnhancedMailMergeToEmail()
' Macro created by Imnoss Ltd
' Please share freely while retaining attribution
' Last Updated 2021-11-06

' REFERENCES REQUIRED!
' This Macro requires you to add the following libraries:
' "Microsoft Outlook xx.x Object Library" (replace xx.x with version number) and "Microsoft Scripting Runtime"
' To add them, use the "Tools" menu and select "References". Tick the check boxes next to the two libraries and press OK.

    ' declare variables
    Dim outlookApp As Outlook.Application
    Dim outlookMail As Outlook.MailItem
    Dim outlookAccount As Outlook.Account
    Dim fso As FileSystemObject
    Dim f As Object
    Dim attachFile As File
    Dim mm As MailMerge
    Dim df As MailMergeDataField
    Dim singleDoc As Document
    Dim mailBody As String
    Dim lastRecordNum As Long
    Dim recordCount As Long
    Dim sendFlag As Boolean
    Dim validRowFlag As Boolean
    Dim tempFileName As String
    Dim tempFolderName As String
    Dim fieldName As String
    Dim inputDate As Date
    ' identify the mail merge of the active document
    Set mm = ActiveDocument.MailMerge
    ' check for the mail merge state being that of a mail merge ready to go
    If mm.State <> wdMainAndDataSource Then
        If MsgBox("Mailmerge not set up for active document - cannot perform mailmerge. Macro will exit.", vbOKOnly   vbCritical, "Error") = vbOK Then Exit Sub
    End If

    ' set lastRecordNum to the number of the last active record (reached using wdLastRecord
    mm.DataSource.ActiveRecord = wdLastRecord
    lastRecordNum = mm.DataSource.ActiveRecord
    ' if the lastRecordNum is less than 50 we assume some may have been deselected so we count only the active records
    ' counting more than 50 records takes too long
    If lastRecordNum < 50 Then
        mm.DataSource.ActiveRecord = wdFirstRecord
        recordCount = 0
        Do While True
            ' run through the fields to check if a valid email address is provided in any of the "to", "cc" or "bcc" fields (valid address = contains an "@")
            ' also detect if the row is marked to be ignored
            validRowFlag = False
            For Each df In mm.DataSource.DataFields
                ' clean up the provided field name by running through the name letter by letter and adding only letters to the variable fieldName
                fieldName = ""
                For i = 1 To Len(df.Name)
                    Select Case Asc(LCase(Mid(df.Name, i, 1)))
                        Case 97 To 122
                            fieldName = fieldName & LCase(Mid(df.Name, i, 1))
                    End Select
                Next i
                Select Case fieldName
                    Case "ignore"
                        Select Case LCase(df.Value)
                            Case "true", "yes", "y", "ignore"
                                validRowFlag = False
                                Exit For
                        End Select
                    Case "to", "cc", "bcc"
                        If InStr(1, df.Value, "@", vbTextCompare) > 0 Then
                            validRowFlag = True
                        End If
                End Select
            Next
            If validRowFlag Then
                recordCount = recordCount   1
            End If
            If mm.DataSource.ActiveRecord = lastRecordNum Then
                Exit Do
            Else
                mm.DataSource.ActiveRecord = wdNextRecord
            End If
        Loop
    Else
        recordCount = lastRecordNum
    End If
    If recordCount = 0 Then
        If MsgBox("Cannot find any active / valid / not to be ignored records. Macro will Exit", vbOKOnly   vbCritical, "Error") = vbOK Then Exit Sub
    End If
    ' Give the user an opportunity to abort, and also the option to save the emails in drafts, or send immediately
    Select Case MsgBox("MailMerge to email will proceed for " & IIf(recordCount < 50, recordCount & " active", recordCount) & " records." _
                          Chr(10)   Chr(10)   _
                        "Click 'OK' to save the emails in draft and 'Cancel' to abort.", _
                        vbOKCancel   vbDefaultButton2   vbQuestion, "Send Emails")
        Case vbCancel
            Exit Sub
        Case vbOK
            sendFlag = False
    End Select

    ' set variables
    ' outlookApp is used to control outlook to send an email
    ' fso is used to read the HTML file with the email content
    Set outlookApp = New Outlook.Application
    Set fso = New FileSystemObject

    ' we need to use a temporary file to store the html generated by mail merge
    ' fso.GetTempName creates a name with the extension tmp. We remove this
    ' because image files are stored in a folder with the name without the extension and with "_files" at the end
    tempFileName = Replace(fso.GetTempName, ".tmp", "")
    mm.DataSource.ActiveRecord = wdFirstRecord
    recordCount = 0
    ' loop through all the records
    Do While lastRecordNum > 0
        ' run through the fields to check if a valid email address is provided in any of the "to", "cc" or "bcc" fields (valid address = contains an "@")
        ' also detect if the row is marked to be ignored
        validRowFlag = False
        For Each df In mm.DataSource.DataFields
            ' clean up the provided field name by running through the name letter by letter and adding only letters to the variable fieldName
            fieldName = ""
            For i = 1 To Len(df.Name)
                Select Case Asc(LCase(Mid(df.Name, i, 1)))
                    Case 97 To 122
                        fieldName = fieldName & LCase(Mid(df.Name, i, 1))
                End Select
            Next i
            Select Case fieldName
                Case "ignore"
                    Select Case LCase(df.Value)
                        Case "true", "yes", "y", "ignore"
                            validRowFlag = False
                            Exit For
                    End Select
                Case "to", "cc", "bcc"
                    If InStr(1, df.Value, "@", vbTextCompare) > 0 Then
                        validRowFlag = True
                    End If
            End Select
        Next
        ' only create an email if there is a valid addressa and the row is not marked as to be ignored
        If validRowFlag Then
            ' use mailmerge to create a new document for one record (defined by mm.DataSource.ActiveRecord)
            mm.Destination = wdSendToNewDocument
            mm.DataSource.FirstRecord = mm.DataSource.ActiveRecord
            mm.DataSource.LastRecord = mm.DataSource.ActiveRecord
            mm.Execute Pause:=False
            ' save the generated doc as a html file in the temp directory
            Set singleDoc = ActiveDocument
            singleDoc.SaveAs2 FileName:=Environ("Temp") & Application.PathSeparator & tempFileName & ".tmp", FileFormat:=wdFormatFilteredHTML
            singleDoc.Close SaveChanges:=wdDoNotSaveChanges
            Set singleDoc = Nothing
            ' read the html from the temp directory using fso
            mailBody = fso.OpenTextFile(Environ("Temp") & Application.PathSeparator & tempFileName & ".tmp", 1).ReadAll
            ' create a new email message in outlook
            Set outlookMail = outlookApp.CreateItem(olMailItem)

            ' display the email so that any images display correctly
            outlookMail.Display
            ' clear the content of the email and remove all attachments (i.e. clear the signature and any images in the signature)
            outlookMail.HTMLBody = ""
            Do While outlookMail.Attachments.Count > 0
                outlookMail.Attachments.Remove 1
            Loop
            ' ensure formatting is HTML
            outlookMail.BodyFormat = olFormatHTML
            ' if the html contains images, then they will be stored in a directory called
            ' tempFileName followed by the _files in the local language (e.g. _bestanden in Dutch)
            ' so we need to find the directory, and the loop through each of the files
            ' checking to see if the files are included in the email as an image (i.e. as 'src="..."')
            ' if the image is included then the image is attached to the email as a hidden attachment
            ' and the image path is updated to point to the attached image
            ' try and find the temporary folder name which would contain any images
            tempFolderName = ""
            For Each f In fso.GetFolder(Environ("Temp")).SubFolders
                If Left(f.Name, Len(tempFileName)   1) = tempFileName & "_" Then
                    tempFolderName = f.Name
                    Exit For
                End If
            Next
            ' if the folder has been found, iterate through the files
            If tempFolderName <> "" Then
                For Each attachFile In fso.GetFolder(Environ("Temp") & Application.PathSeparator & tempFolderName).Files
                    If InStr(1, mailBody, "src=""" & tempFolderName & "/" & attachFile.Name & """", vbBinaryCompare) > 0 Then
                        outlookMail.Attachments.Add attachFile.Path, 1, 0
                        mailBody = Replace(mailBody, "src=""" & tempFolderName & "/" & attachFile.Name & """", "src=""cid:" & attachFile.Name & """")
                    End If
                Next
            End If
            ' add the mail body from the html created via mailmerge and updated for the newly attached images
            outlookMail.HTMLBody = mailBody

            ' run through all the fields in the mail merge data, when an email field is identified add the data to the appropriate field
            For Each df In mm.DataSource.DataFields
                ' first check for the field being populated for the active record (row), only check if there is data provided
                If Trim(df.Value) <> "" Then
                    ' try matching the field name to accepted field names
                    ' the field name is cleaned up by running through the name letter by letter and adding only letters to the variable fieldName
                    fieldName = ""
                    For i = 1 To Len(df.Name)
                        Select Case Asc(LCase(Mid(df.Name, i, 1)))
                            Case 97 To 122
                                fieldName = fieldName & LCase(Mid(df.Name, i, 1))
                        End Select
                    Next i
                    Select Case fieldName
                        Case "to"
                            ' add in the to address or addresses as they are presented in the data, multiple address should be separated by a semicolon
                            outlookMail.To = outlookMail.To & ";" & df.Value
                        Case "cc"
                            ' add in the cc address or addresses as they are presented in the data, multiple address should be separated by a semicolon
                            outlookMail.CC = outlookMail.CC & ";" & df.Value
                        Case "bcc"
                            ' add in the bcc address or addresses as they are presented in the data, multiple address should be separated by a semicolon
                            outlookMail.BCC = outlookMail.BCC & ";" & df.Value
                        Case "subject"
                            ' add in the subject as it is presented in the data
                            outlookMail.Subject = df.Value
                        Case "importance"
                            ' change the importance, accepted input values are "high", "normal", and "low" (not case sensitive)
                            ' if field is not provided, or an incorrect input value is provided, then the default is used
                            ' default is typically "Normal", but may have been changed in Outlook Options.
                            Select Case Trim(LCase(df.Value))
                                Case "high"
                                    outlookMail.Importance = olImportanceHigh
                                Case "normal"
                                    outlookMail.Importance = olImportanceNormal
                                Case "low"
                                    outlookMail.Importance = olImportanceLow
                            End Select
                        Case "sensitivity"
                            ' change the sensitivity, accepted input values are "confidential", "personal", "private", or "normal" (not case sensitive)
                            ' if field is not provided, or an incorrect input value is provided, then the default is used
                            ' default is typically "Normal", but may have been changed in Outlook Options.
                            Select Case Trim(LCase(df.Value))
                                Case "confidential"
                                    outlookMail.Sensitivity = olConfidential
                                Case "personal"
                                    outlookMail.Sensitivity = olPersonal
                                Case "private"
                                    outlookMail.Sensitivity = olPrivate
                                Case "normal"
                                    outlookMail.Sensitivity = olNormal
                            End Select
                        Case "readreceipt"
                            ' request or do not request a read receipt
                            ' if the field contains a boolean TRUE, or any form of "true"/"yes"/"y" (case insensitive) then request a read receipt
                            ' if the field contains a boolean FALSE, or any form of "false"/"no"/"n" (case insensitive) then do not request a read receipt
                            ' if field is not provided, or an incorrect input value is provided, then the default is used
                            ' default is typically to not request a read receipt, but may have been changed in Outlook Options.
                            Select Case Trim(LCase(df.Value))
                                Case "true", "yes", "y"
                                    outlookMail.ReadReceiptRequested = True
                                Case "false", "no", "n"
                                    outlookMail.ReadReceiptRequested = False
                            End Select
                        Case "deliveryreceipt"
                            ' request or do not request a delivery report
                            ' if the field contains a boolean TRUE, or any form of "true"/"yes"/"y" (case insensitive) then request a delivery report
                            ' if the field contains a boolean FALSE, or any form of "false"/"no"/"n" (case insensitive) then do not request a delivery report
                            ' if field is not provided, or an incorrect input value is provided, then the default is used
                            ' default is typically to not request a delivery report, but may have been changed in Outlook Options.
                            Select Case Trim(LCase(df.Value))
                                Case "true", "yes", "y"
                                    outlookMail.OriginatorDeliveryReportRequested = True
                                Case "false", "no", "n"
                                    outlookMail.OriginatorDeliveryReportRequested = False
                            End Select
                        Case "deliverytime"
                            ' add in a delivery time (delay delivery)
                            ' checks for the field containin a value or something which looks like a date and/or time
                            ' if a datetime is provided, and that datetime is in the future then the delay is added to that datetime
                            ' if a date is provided, and that date is in the future then the delay is added to midnight at the start of the provided date
                            ' if a time is provided then the next instance of that time will be used to define the delay (so email could be sent "tomorrow" if time already passed)
                            ' if no data, invalid data, or a date/datetime in the past is added then no delivery delay is added
                            If (IsNumeric(df.Value) Or IsDate(df.Value)) Then

                                ' A date passed from an Excel table through mail merge will be formatted in US format ("m/d/yyyy"), but the function CDate
                                ' uses the local format, e.g. ("d/m/yyyy"). CDate is nice enough to recognise (and not error) when fed a date with the day > 12,
                                ' so both "15/1/2021" and "1/15/2021" will produce the correct date output (15 January 2021).
                                ' The next couple of lines test for whether the date is the wrong way round and flips the month and day if needed
                                ' A date is believed to be wrong if both month and day are 12 or lower, if CDate parses the date 1/2/2020 as 1 February 2020
                                ' and finally if the raw input from Excel is a date string (and not a number, which would be valid)
                                inputDate = CDate(df.Value)
                                If Day(inputDate) <= 12 And Month(inputDate) <= 12 And Month(CDate("1/2/2020")) = 2 And _
                                        InStr(1, df.Value, Format(inputDate, "d/m/yyyy")) = 1 Then
                                    inputDate = DateSerial(Year(inputDate), Day(inputDate), Month(inputDate))   TimeSerial(Hour(inputDate), Minute(inputDate), Second(inputDate))
                                End If

                                If inputDate < Now() - Date Then      ' time only, time is in the past so set time for "tomorrow"
                                    outlookMail.DeferredDeliveryTime = Date   1   inputDate
                                ElseIf inputDate < 1 Then             ' time only, time is in the future so set time for "today"
                                    outlookMail.DeferredDeliveryTime = Date   inputDate
                                ElseIf inputDate > Now() Then         ' date or datetime in the future
                                    outlookMail.DeferredDeliveryTime = inputDate
                                End If
                                Debug.Print df.Value, outlookMail.DeferredDeliveryTime
                            End If
                        Case "account"
                            ' select the account from which the email is to be sent
                            ' the account is identified by its full email address
                            ' to identify the account, the code cycles through all the accounts available and selects a match
                            ' if no data, or a non-matching email address is provided, then the default account is used
                            ' note! not the same as send as - see below
                            For Each outlookAccount In outlookApp.Session.Accounts
                                If outlookAccount.SmtpAddress = df.Value Then
                                    outlookMail.SendUsingAccount = outlookAccount
                                    Exit For
                                End If
                            Next
                        Case "sendas"
                            ' add in an address to send as or send on behalf of
                            ' only added if a valid email address
                            ' if the account does not have permissions, the email will be created but will be rejected by the Exchange server if sent
                            If InStr(1, df.Value, "@", vbTextCompare) > 0 Then outlookMail.SentOnBehalfOfName = df.Value
                        Case "replyto"
                            ' add in an address to reply to
                            ' only added if a valid email address
                            If InStr(1, df.Value, "@", vbTextCompare) > 0 Then outlookMail.ReplyRecipients.Add (df.Value)
                        Case "attachment"
                            ' add the attachment
                            outlookMail.Attachments.Add df.Value
                    End Select  ' end test for the field names
                End If      ' end check for the data value being blank
            Next df     ' move on to the next record

            ' check the send flag and send or save
            If sendFlag Then
                outlookMail.Send
            Else
                outlookMail.Close (olSave)
            End If
            Set outlookMail = Nothing
        Else
            recordCount = recordCount   1   ' keep a tally of skipped records using recordCount
        End If      ' end the test for whether a valid address is presented in the data

        ' test if we have just created a document for the last record, if so we set lastRecordNum to zero to indicate that the loop should end, otherwise go to the next active record
        If mm.DataSource.ActiveRecord >= lastRecordNum Then
            lastRecordNum = 0
        Else
            mm.DataSource.ActiveRecord = wdNextRecord
        End If
    Loop
End Sub


uj5u.com熱心網友回復:

在代碼中,您在檢查器視窗中顯示一個專案:

outlookMail.Display

但最終該專案被發送或關閉:

            ' check the send flag and send or save
            If sendFlag Then
                outlookMail.Send
            Else
                outlookMail.Close (olSave)
            End If

如果您不打算將其留給 Outlook 中的用戶進行編輯,則無需打開檢查器視窗。

我建議逐行除錯代碼并查看中間結果。

轉載請註明出處,本文鏈接:https://www.uj5u.com/qukuanlian/508295.html

標籤:vba 电子邮件 外表 ms-word

上一篇:加速和簡化

下一篇:std::conditional_t,當兩個分支不同時編譯時,如何有條件地定義變數的型別?

標籤雲
其他(157675) Python(38076) JavaScript(25376) Java(17977) C(15215) 區塊鏈(8255) C#(7972) AI(7469) 爪哇(7425) MySQL(7132) html(6777) 基礎類(6313) sql(6102) 熊猫(6058) PHP(5869) 数组(5741) R(5409) Linux(5327) 反应(5209) 腳本語言(PerlPython)(5129) 非技術區(4971) Android(4554) 数据框(4311) css(4259) 节点.js(4032) C語言(3288) json(3245) 列表(3129) 扑(3119) C++語言(3117) 安卓(2998) 打字稿(2995) VBA(2789) Java相關(2746) 疑難問題(2699) 细绳(2522) 單片機工控(2479) iOS(2429) ASP.NET(2402) MongoDB(2323) 麻木的(2285) 正则表达式(2254) 字典(2211) 循环(2198) 迅速(2185) 擅长(2169) 镖(2155) 功能(1967) .NET技术(1958) Web開發(1951) python-3.x(1918) HtmlCss(1915) 弹簧靴(1913) C++(1909) xml(1889) PostgreSQL(1872) .NETCore(1853) 谷歌表格(1846) Unity3D(1843) for循环(1842)

熱門瀏覽
  • JAVA使用 web3j 進行token轉賬

    最近新學習了下區塊鏈這方面的知識,所學不多,給大家分享下。 # 1. 關于web3j web3j是一個高度模塊化,反應性,型別安全的Java和Android庫,用于與智能合約配合并與以太坊網路上的客戶端(節點)集成。 # 2. 準備作業 jdk版本1.8 引入maven <dependency> < ......

    uj5u.com 2020-09-10 03:03:06 more
  • 以太坊智能合約開發框架Truffle

    前言 部署智能合約有多種方式,命令列的瀏覽器的渠道都有,但往往跟我們程式員的風格不太相符,因為我們習慣了在IDE里寫了代碼然后打包運行看效果。 雖然現在IDE中已經存在了Solidity插件,可以撰寫智能合約,但是部署智能合約卻要另走他路,沒辦法進行一個快捷的部署與測驗。 如果團隊管理的區塊節點多、 ......

    uj5u.com 2020-09-10 03:03:12 more
  • 谷歌二次驗證碼成為區塊鏈專用安全碼,你怎么看?

    前言 谷歌身份驗證器,前些年大家都比較陌生,但隨著國內互聯網安全的加強,它越來越多地出現在大家的視野中。 比較廣泛接觸的人群是國際3A游戲愛好者,游戲盜號現象嚴重+國外賬號安全應用廣泛,這類游戲一般都會要求用戶系結名為“兩步驗證”、“雙重驗證”等,平臺一般都推薦用谷歌身份驗證器。 后來區塊鏈業務風靡 ......

    uj5u.com 2020-09-10 03:03:17 more
  • 密碼學DAY1

    目錄 ##1.1 密碼學基本概念 密碼在我們的生活中有著重要的作用,那么密碼究竟來自何方,為何會產生呢? 密碼學是網路安全、資訊安全、區塊鏈等產品的基礎,常見的非對稱加密、對稱加密、散列函式等,都屬于密碼學范疇。 密碼學有數千年的歷史,從最開始的替換法到如今的非對稱加密演算法,經歷了古典密碼學,近代密 ......

    uj5u.com 2020-09-10 03:03:50 more
  • 密碼學DAY1_02

    目錄 ##1.1 ASCII編碼 ASCII(American Standard Code for Information Interchange,美國資訊交換標準代碼)是基于拉丁字母的一套電腦編碼系統,主要用于顯示現代英語和其他西歐語言。它是現今最通用的單位元組編碼系統,并等同于國際標準ISO/IE ......

    uj5u.com 2020-09-10 03:04:50 more
  • 密碼學DAY2

    ##1.1 加密模式 加密模式:https://docs.oracle.com/javase/8/docs/api/javax/crypto/Cipher.html ECB ECB : Electronic codebook, 電子密碼本. 需要加密的訊息按照塊密碼的塊大小被分為數個塊,并對每個塊進 ......

    uj5u.com 2020-09-10 03:05:42 more
  • NTP時鐘服務器的特點(京準電子)

    NTP時鐘服務器的特點(京準電子) NTP時鐘服務器的特點(京準電子) 京準電子官V——ahjzsz 首先對時間同步進行了背景介紹,然后討論了不同的時間同步網路技術,最后指出了建立全球或區域時間同步網存在的問題。 一、概 述 在通信領域,“同步”概念是指頻率的同步,即網路各個節點的時鐘頻率和相位同步 ......

    uj5u.com 2020-09-10 03:05:47 more
  • 標準化考場時鐘同步系統推進智能化校園建設

    標準化考場時鐘同步系統推進智能化校園建設 標準化考場時鐘同步系統推進智能化校園建設 安徽京準電子科技官微——ahjzsz 一、背景概述隨著教育事業的快速發展,學校建設如雨后春筍,隨之而來的學校教育、管理、安全方面的問題成了學校管理人員面臨的最大的挑戰,這些問題同時也是學生家長所擔心的。為了讓學生有更 ......

    uj5u.com 2020-09-10 03:05:51 more
  • 位元幣入門

    引言 位元幣基本結構 位元幣基礎知識 1)哈希演算法 2)非對稱加密技術 3)數字簽名 4)MerkleTree 5)哪有位元幣,有的是UTXO 6)位元幣挖礦與共識 7)區塊驗證(共識) 總結 引言 上一篇我們已經知道了什么是區塊鏈,此篇說一下區塊鏈的第一個應用——位元幣。其實先有位元幣,后有的區塊 ......

    uj5u.com 2020-09-10 03:06:15 more
  • 北斗對時服務器(北斗對時設備)電力系統應用

    北斗對時服務器(北斗對時設備)電力系統應用 北斗對時服務器(北斗對時設備)電力系統應用 京準電子科技官微(ahjzsz) 中國北斗衛星導航系統(英文名稱:BeiDou Navigation Satellite System,簡稱BDS),因為是目前世界范圍內唯一可以大面積提供免費定位服務的系統,所以 ......

    uj5u.com 2020-09-10 03:06:20 more
最新发布
  • web3 產品介紹:metamask 錢包 使用最多的瀏覽器插件錢包

    Metamask錢包是一種基于區塊鏈技術的數字貨幣錢包,它允許用戶在安全、便捷的環境下管理自己的加密資產。Metamask錢包是以太坊生態系統中最流行的錢包之一,它具有易于使用、安全性高和功能強大等優點。 本文將詳細介紹Metamask錢包的功能和使用方法。 一、 Metamask錢包的功能 數字資 ......

    uj5u.com 2023-04-20 08:46:47 more
  • Hyperledger Fabric 使用 CouchDB 和復雜智能合約開發

    在上個實驗中,我們已經實作了簡單智能合約實作及客戶端開發,但該實驗中智能合約只有基礎的增刪改查功能,且其中的資料管理功能與傳統 MySQL 比相差甚遠。本文將在前面實驗的基礎上,將 Hyperledger Fabric 的默認資料庫支持 LevelDB 改為 CouchDB 模式,以實作更復雜的資料... ......

    uj5u.com 2023-04-16 07:28:31 more
  • .NET Core 波場鏈離線簽名、廣播交易(發送 TRX和USDT)筆記

    Get Started NuGet You can run the following command to install the Tron.Wallet.Net in your project. PM> Install-Package Tron.Wallet.Net 配置 public reco ......

    uj5u.com 2023-04-14 08:08:00 more
  • DKP 黑客分析——不正確的代幣對比率計算

    概述: 2023 年 2 月 8 日,針對 DKP 協議的閃電貸攻擊導致該協議的用戶損失了 8 萬美元,因為 execute() 函式取決于 USDT-DKP 對中兩種代幣的余額比率。 智能合約黑客概述: 攻擊者的交易:0x0c850f,0x2d31 攻擊者地址:0xF38 利用合同:0xf34ad ......

    uj5u.com 2023-04-07 07:46:09 more
  • Defi開發簡介

    Defi開發簡介 介紹 Defi是去中心化金融的縮寫, 是一項旨在利用區塊鏈技術和智能合約創建更加開放,可訪問和透明的金融體系的運動. 這與傳統金融形成鮮明對比,傳統金融通常由少數大型銀行和金融機構控制 在Defi的世界里,用戶可以直接從他們的電腦或移動設備上訪問廣泛的金融服務,而不需要像銀行或者信 ......

    uj5u.com 2023-04-05 08:01:34 more
  • solidity簡單的ERC20代幣實作

    // SPDX-License-Identifier: GPL-3.0 pragma solidity >=0.7.0 <0.9.0; import "hardhat/console.sol"; //ERC20 同質化代幣,每個代幣的本質或性質都是相同 //ETH 是原生代幣,它不是ERC20代幣, ......

    uj5u.com 2023-03-21 07:56:29 more
  • solidity 參考型別修飾符memory、calldata與storage 常量修飾符C

    在solidity語言中 參考型別修飾符(參考型別為存盤空間不固定的數值型別) memory、calldata與storage,它們只能修飾參考型別變數,比如字串、陣列、位元組等... memory 適用于方法傳參、返參或在方法體內使用,使用完就會清除掉,釋放記憶體 calldata 僅適用于方法傳參 ......

    uj5u.com 2023-03-08 07:57:54 more
  • solidity注解標簽

    在solidity語言中 注釋符為// 注解符為/* 內容*/ 或者 是 ///內容 注解中含有這幾個標簽給予我們使用 @title 一個應該描述合約/介面的標題 contract, library, interface @author 作者的名字 contract, library, interf ......

    uj5u.com 2023-03-08 07:57:49 more
  • 評價指標:相似度、GAS消耗

    【代碼注釋自動生成方法綜述】 這些評測指標主要來自機器翻譯和文本總結等研究領域,可以評估候選文本(即基于代碼注釋自動方法而生成)和參考文本(即基于手工方式而生成)的相似度. BLEU指標^[^?88^^?^]^:其全稱是bilingual evaluation understudy.該指標是最早用于 ......

    uj5u.com 2023-02-23 07:27:39 more
  • 基于NOSTR協議的“公有制”版本的Twitter,去中心化社交軟體Damus

    最近,一個幽靈,Web3的幽靈,在網路游蕩,它叫Damus,這玩意詮釋了什么叫做病毒式營銷,滑稽的是,一個Web3產品卻在Web2的產品鏈上瘋狂傳銷,各方大佬紛紛為其背書,到底發生了什么?Damus的葫蘆里,賣的是什么藥? 注冊和簡單實用 很少有什么產品在用戶注冊環節會有什么噱頭,但Damus確實出 ......

    uj5u.com 2023-02-05 06:48:39 more