F# - FSharp.Data.SqlClient - update row after getting identity value












0















Let’s say that I have the following:



SQL



Create database called Clm, then run this script:



CREATE TABLE dbo.ModelData(
modelId bigint IDENTITY(1,1) NOT NULL,
numberOfAminoAcids int NOT NULL,
maxPeptideLength int NOT NULL,
seed int NOT NULL,
fileStructureVersion nvarchar(50) NOT NULL,
modelData nvarchar(max) NOT NULL,
createdOn datetime NOT NULL,
CONSTRAINT PK_ModelData PRIMARY KEY CLUSTERED
(
modelId ASC
)WITH (PAD_INDEX = OFF, STATISTICS_NORECOMPUTE = OFF, IGNORE_DUP_KEY = OFF, ALLOW_ROW_LOCKS = ON, ALLOW_PAGE_LOCKS = ON) ON PRIMARY
) ON PRIMARY TEXTIMAGE_ON PRIMARY
GO
ALTER TABLE dbo.ModelData ADD CONSTRAINT DF_ModelData_createdOn DEFAULT (getdate()) FOR createdOn
GO


F#



[<Literal>]
let ClmDbName = "Clm"

[<Literal>]
let AppConfigFile = __SOURCE_DIRECTORY__ + ".App.config"

[<Literal>]
let ClmConnectionString = "Server=localhost;Database=" + ClmDbName + ";Integrated Security=SSPI"

[<Literal>]
let ClmSqlProviderName = "name=" + ClmDbName

type ClmDB = SqlProgrammabilityProvider<ClmSqlProviderName, ConfigFile = AppConfigFile>
type ModelDataTable = ClmDB.dbo.Tables.ModelData
type ModelDataTableRow = ModelDataTable.Row

type ModelDataTableData =
SqlCommandProvider<"select * from dbo.ModelData where modelId = @modelId", ClmConnectionString, ResultType.DataReader>


App.config



<?xml version="1.0" encoding="utf-8"?>
<configuration>
<startup>
<supportedRuntime version="v4.0" sku=".NETFramework,Version=v4.7.2" />
</startup>
<connectionStrings configSource="db.config" />
<runtime>
<gcAllowVeryLargeObjects enabled="true" />
</runtime>
</configuration>


db.config



<connectionStrings>
<add name="Clm" connectionString="Data Source=localhost;Initial Catalog=Clm;Integrated Security=SSPI" />
</connectionStrings>


I need to get SQL identity value from table ModelData. It is used somewhere in the code. So, I have the following function to add a new row with some default values and then get identity value back.



let getNewModelDataId (conn : SqlConnection) =
let t = new ModelDataTable()
let r =
t.NewRow(
numberOfAminoAcids = 0,
maxPeptideLength = 0,
seed = 0,
fileStructureVersion = "",
modelData = "",
createdOn = DateTime.Now
)

t.Rows.Add r
t.Update(conn) |> ignore
r.modelId

let openConnIfClosed (conn : SqlConnection) =
match conn.State with
| ConnectionState.Closed -> do conn.Open()
| _ -> ignore ()


And the I use it to get new identity value of modelId from the database.



let modelId = getNewModelDataId conn


The after about 0.5 – 1.5 hours of execution time I need to update some data, e.g.



use d = new ModelDataTableData(conn)
let t1 = new ModelDataTable()
d.Execute(modelId = modelId) |> t1.Load
let r1 = t1.Rows |> Seq.find (fun e -> e.modelId = modelId)
r1.modelData <- "Some new data..."
t1.Update(conn) |> ignore


where the string "Some new data..." represents some fairly large string. This only happens once per modelId.
The code above does work. But it looks soooo ugly, epsecially the part t1.Rows |> Seq.find ... ☹ I guess that I am missing something about FSharp.Data.SqlClient type providers. I’d appreciate any advice.










share|improve this question





























    0















    Let’s say that I have the following:



    SQL



    Create database called Clm, then run this script:



    CREATE TABLE dbo.ModelData(
    modelId bigint IDENTITY(1,1) NOT NULL,
    numberOfAminoAcids int NOT NULL,
    maxPeptideLength int NOT NULL,
    seed int NOT NULL,
    fileStructureVersion nvarchar(50) NOT NULL,
    modelData nvarchar(max) NOT NULL,
    createdOn datetime NOT NULL,
    CONSTRAINT PK_ModelData PRIMARY KEY CLUSTERED
    (
    modelId ASC
    )WITH (PAD_INDEX = OFF, STATISTICS_NORECOMPUTE = OFF, IGNORE_DUP_KEY = OFF, ALLOW_ROW_LOCKS = ON, ALLOW_PAGE_LOCKS = ON) ON PRIMARY
    ) ON PRIMARY TEXTIMAGE_ON PRIMARY
    GO
    ALTER TABLE dbo.ModelData ADD CONSTRAINT DF_ModelData_createdOn DEFAULT (getdate()) FOR createdOn
    GO


    F#



    [<Literal>]
    let ClmDbName = "Clm"

    [<Literal>]
    let AppConfigFile = __SOURCE_DIRECTORY__ + ".App.config"

    [<Literal>]
    let ClmConnectionString = "Server=localhost;Database=" + ClmDbName + ";Integrated Security=SSPI"

    [<Literal>]
    let ClmSqlProviderName = "name=" + ClmDbName

    type ClmDB = SqlProgrammabilityProvider<ClmSqlProviderName, ConfigFile = AppConfigFile>
    type ModelDataTable = ClmDB.dbo.Tables.ModelData
    type ModelDataTableRow = ModelDataTable.Row

    type ModelDataTableData =
    SqlCommandProvider<"select * from dbo.ModelData where modelId = @modelId", ClmConnectionString, ResultType.DataReader>


    App.config



    <?xml version="1.0" encoding="utf-8"?>
    <configuration>
    <startup>
    <supportedRuntime version="v4.0" sku=".NETFramework,Version=v4.7.2" />
    </startup>
    <connectionStrings configSource="db.config" />
    <runtime>
    <gcAllowVeryLargeObjects enabled="true" />
    </runtime>
    </configuration>


    db.config



    <connectionStrings>
    <add name="Clm" connectionString="Data Source=localhost;Initial Catalog=Clm;Integrated Security=SSPI" />
    </connectionStrings>


    I need to get SQL identity value from table ModelData. It is used somewhere in the code. So, I have the following function to add a new row with some default values and then get identity value back.



    let getNewModelDataId (conn : SqlConnection) =
    let t = new ModelDataTable()
    let r =
    t.NewRow(
    numberOfAminoAcids = 0,
    maxPeptideLength = 0,
    seed = 0,
    fileStructureVersion = "",
    modelData = "",
    createdOn = DateTime.Now
    )

    t.Rows.Add r
    t.Update(conn) |> ignore
    r.modelId

    let openConnIfClosed (conn : SqlConnection) =
    match conn.State with
    | ConnectionState.Closed -> do conn.Open()
    | _ -> ignore ()


    And the I use it to get new identity value of modelId from the database.



    let modelId = getNewModelDataId conn


    The after about 0.5 – 1.5 hours of execution time I need to update some data, e.g.



    use d = new ModelDataTableData(conn)
    let t1 = new ModelDataTable()
    d.Execute(modelId = modelId) |> t1.Load
    let r1 = t1.Rows |> Seq.find (fun e -> e.modelId = modelId)
    r1.modelData <- "Some new data..."
    t1.Update(conn) |> ignore


    where the string "Some new data..." represents some fairly large string. This only happens once per modelId.
    The code above does work. But it looks soooo ugly, epsecially the part t1.Rows |> Seq.find ... ☹ I guess that I am missing something about FSharp.Data.SqlClient type providers. I’d appreciate any advice.










    share|improve this question



























      0












      0








      0








      Let’s say that I have the following:



      SQL



      Create database called Clm, then run this script:



      CREATE TABLE dbo.ModelData(
      modelId bigint IDENTITY(1,1) NOT NULL,
      numberOfAminoAcids int NOT NULL,
      maxPeptideLength int NOT NULL,
      seed int NOT NULL,
      fileStructureVersion nvarchar(50) NOT NULL,
      modelData nvarchar(max) NOT NULL,
      createdOn datetime NOT NULL,
      CONSTRAINT PK_ModelData PRIMARY KEY CLUSTERED
      (
      modelId ASC
      )WITH (PAD_INDEX = OFF, STATISTICS_NORECOMPUTE = OFF, IGNORE_DUP_KEY = OFF, ALLOW_ROW_LOCKS = ON, ALLOW_PAGE_LOCKS = ON) ON PRIMARY
      ) ON PRIMARY TEXTIMAGE_ON PRIMARY
      GO
      ALTER TABLE dbo.ModelData ADD CONSTRAINT DF_ModelData_createdOn DEFAULT (getdate()) FOR createdOn
      GO


      F#



      [<Literal>]
      let ClmDbName = "Clm"

      [<Literal>]
      let AppConfigFile = __SOURCE_DIRECTORY__ + ".App.config"

      [<Literal>]
      let ClmConnectionString = "Server=localhost;Database=" + ClmDbName + ";Integrated Security=SSPI"

      [<Literal>]
      let ClmSqlProviderName = "name=" + ClmDbName

      type ClmDB = SqlProgrammabilityProvider<ClmSqlProviderName, ConfigFile = AppConfigFile>
      type ModelDataTable = ClmDB.dbo.Tables.ModelData
      type ModelDataTableRow = ModelDataTable.Row

      type ModelDataTableData =
      SqlCommandProvider<"select * from dbo.ModelData where modelId = @modelId", ClmConnectionString, ResultType.DataReader>


      App.config



      <?xml version="1.0" encoding="utf-8"?>
      <configuration>
      <startup>
      <supportedRuntime version="v4.0" sku=".NETFramework,Version=v4.7.2" />
      </startup>
      <connectionStrings configSource="db.config" />
      <runtime>
      <gcAllowVeryLargeObjects enabled="true" />
      </runtime>
      </configuration>


      db.config



      <connectionStrings>
      <add name="Clm" connectionString="Data Source=localhost;Initial Catalog=Clm;Integrated Security=SSPI" />
      </connectionStrings>


      I need to get SQL identity value from table ModelData. It is used somewhere in the code. So, I have the following function to add a new row with some default values and then get identity value back.



      let getNewModelDataId (conn : SqlConnection) =
      let t = new ModelDataTable()
      let r =
      t.NewRow(
      numberOfAminoAcids = 0,
      maxPeptideLength = 0,
      seed = 0,
      fileStructureVersion = "",
      modelData = "",
      createdOn = DateTime.Now
      )

      t.Rows.Add r
      t.Update(conn) |> ignore
      r.modelId

      let openConnIfClosed (conn : SqlConnection) =
      match conn.State with
      | ConnectionState.Closed -> do conn.Open()
      | _ -> ignore ()


      And the I use it to get new identity value of modelId from the database.



      let modelId = getNewModelDataId conn


      The after about 0.5 – 1.5 hours of execution time I need to update some data, e.g.



      use d = new ModelDataTableData(conn)
      let t1 = new ModelDataTable()
      d.Execute(modelId = modelId) |> t1.Load
      let r1 = t1.Rows |> Seq.find (fun e -> e.modelId = modelId)
      r1.modelData <- "Some new data..."
      t1.Update(conn) |> ignore


      where the string "Some new data..." represents some fairly large string. This only happens once per modelId.
      The code above does work. But it looks soooo ugly, epsecially the part t1.Rows |> Seq.find ... ☹ I guess that I am missing something about FSharp.Data.SqlClient type providers. I’d appreciate any advice.










      share|improve this question
















      Let’s say that I have the following:



      SQL



      Create database called Clm, then run this script:



      CREATE TABLE dbo.ModelData(
      modelId bigint IDENTITY(1,1) NOT NULL,
      numberOfAminoAcids int NOT NULL,
      maxPeptideLength int NOT NULL,
      seed int NOT NULL,
      fileStructureVersion nvarchar(50) NOT NULL,
      modelData nvarchar(max) NOT NULL,
      createdOn datetime NOT NULL,
      CONSTRAINT PK_ModelData PRIMARY KEY CLUSTERED
      (
      modelId ASC
      )WITH (PAD_INDEX = OFF, STATISTICS_NORECOMPUTE = OFF, IGNORE_DUP_KEY = OFF, ALLOW_ROW_LOCKS = ON, ALLOW_PAGE_LOCKS = ON) ON PRIMARY
      ) ON PRIMARY TEXTIMAGE_ON PRIMARY
      GO
      ALTER TABLE dbo.ModelData ADD CONSTRAINT DF_ModelData_createdOn DEFAULT (getdate()) FOR createdOn
      GO


      F#



      [<Literal>]
      let ClmDbName = "Clm"

      [<Literal>]
      let AppConfigFile = __SOURCE_DIRECTORY__ + ".App.config"

      [<Literal>]
      let ClmConnectionString = "Server=localhost;Database=" + ClmDbName + ";Integrated Security=SSPI"

      [<Literal>]
      let ClmSqlProviderName = "name=" + ClmDbName

      type ClmDB = SqlProgrammabilityProvider<ClmSqlProviderName, ConfigFile = AppConfigFile>
      type ModelDataTable = ClmDB.dbo.Tables.ModelData
      type ModelDataTableRow = ModelDataTable.Row

      type ModelDataTableData =
      SqlCommandProvider<"select * from dbo.ModelData where modelId = @modelId", ClmConnectionString, ResultType.DataReader>


      App.config



      <?xml version="1.0" encoding="utf-8"?>
      <configuration>
      <startup>
      <supportedRuntime version="v4.0" sku=".NETFramework,Version=v4.7.2" />
      </startup>
      <connectionStrings configSource="db.config" />
      <runtime>
      <gcAllowVeryLargeObjects enabled="true" />
      </runtime>
      </configuration>


      db.config



      <connectionStrings>
      <add name="Clm" connectionString="Data Source=localhost;Initial Catalog=Clm;Integrated Security=SSPI" />
      </connectionStrings>


      I need to get SQL identity value from table ModelData. It is used somewhere in the code. So, I have the following function to add a new row with some default values and then get identity value back.



      let getNewModelDataId (conn : SqlConnection) =
      let t = new ModelDataTable()
      let r =
      t.NewRow(
      numberOfAminoAcids = 0,
      maxPeptideLength = 0,
      seed = 0,
      fileStructureVersion = "",
      modelData = "",
      createdOn = DateTime.Now
      )

      t.Rows.Add r
      t.Update(conn) |> ignore
      r.modelId

      let openConnIfClosed (conn : SqlConnection) =
      match conn.State with
      | ConnectionState.Closed -> do conn.Open()
      | _ -> ignore ()


      And the I use it to get new identity value of modelId from the database.



      let modelId = getNewModelDataId conn


      The after about 0.5 – 1.5 hours of execution time I need to update some data, e.g.



      use d = new ModelDataTableData(conn)
      let t1 = new ModelDataTable()
      d.Execute(modelId = modelId) |> t1.Load
      let r1 = t1.Rows |> Seq.find (fun e -> e.modelId = modelId)
      r1.modelData <- "Some new data..."
      t1.Update(conn) |> ignore


      where the string "Some new data..." represents some fairly large string. This only happens once per modelId.
      The code above does work. But it looks soooo ugly, epsecially the part t1.Rows |> Seq.find ... ☹ I guess that I am missing something about FSharp.Data.SqlClient type providers. I’d appreciate any advice.







      f# fsharp.data.sqlclient






      share|improve this question















      share|improve this question













      share|improve this question




      share|improve this question








      edited Jan 2 at 22:41







      Konstantin Konstantinov

















      asked Jan 2 at 21:48









      Konstantin KonstantinovKonstantin Konstantinov

      48729




      48729
























          1 Answer
          1






          active

          oldest

          votes


















          0














          To begin with the most obvious blunder: FSharp.Data.SqlClient type provider via its SqlCommandProvider supports any DML data modification statements, including UPDATE. So,
          instead of all that jazz with pulling the model to the client side, modifying, and pushing back to the server, the same can be achieved by



          ...
          use cmd = SqlCommandProvider<
          "UPDATE [dbo].[ModelData] SET [modelData]=@ModelData WHERE [modelId]=@ModelId",
          conn>(conn)
          cmd.Execute(ModelData="Some new data...", ModelId=modelId) |> ignore
          ...


          The less obvious problem relates to the use of identity field. It sounds like it does not have any special role beyond uniquely identifying every new model. So, instead of the tinkering with creating a fake record, then pulling its id from the server, then updating the record having this id with real values, why not just:




          • introduce an additional column modelUid of type uniqueidentifier

          • add a nonclustered index on it, if this matters

          • begin creating of every new model by generating a fresh GUID with System.Guid.NewGuid()

          • use this GUID value whatever you want, then when you ready to persist your model do it with SQL DML INSERT using the same GUID for modelUid field


          Notice, that with such approach you also use just SqlCommandProvider type of FSharp.Data.SqlClient type provider, so the things stay simple.






          share|improve this answer


























            Your Answer






            StackExchange.ifUsing("editor", function () {
            StackExchange.using("externalEditor", function () {
            StackExchange.using("snippets", function () {
            StackExchange.snippets.init();
            });
            });
            }, "code-snippets");

            StackExchange.ready(function() {
            var channelOptions = {
            tags: "".split(" "),
            id: "1"
            };
            initTagRenderer("".split(" "), "".split(" "), channelOptions);

            StackExchange.using("externalEditor", function() {
            // Have to fire editor after snippets, if snippets enabled
            if (StackExchange.settings.snippets.snippetsEnabled) {
            StackExchange.using("snippets", function() {
            createEditor();
            });
            }
            else {
            createEditor();
            }
            });

            function createEditor() {
            StackExchange.prepareEditor({
            heartbeatType: 'answer',
            autoActivateHeartbeat: false,
            convertImagesToLinks: true,
            noModals: true,
            showLowRepImageUploadWarning: true,
            reputationToPostImages: 10,
            bindNavPrevention: true,
            postfix: "",
            imageUploader: {
            brandingHtml: "Powered by u003ca class="icon-imgur-white" href="https://imgur.com/"u003eu003c/au003e",
            contentPolicyHtml: "User contributions licensed under u003ca href="https://creativecommons.org/licenses/by-sa/3.0/"u003ecc by-sa 3.0 with attribution requiredu003c/au003e u003ca href="https://stackoverflow.com/legal/content-policy"u003e(content policy)u003c/au003e",
            allowUrls: true
            },
            onDemand: true,
            discardSelector: ".discard-answer"
            ,immediatelyShowMarkdownHelp:true
            });


            }
            });














            draft saved

            draft discarded


















            StackExchange.ready(
            function () {
            StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fstackoverflow.com%2fquestions%2f54013601%2ff-fsharp-data-sqlclient-update-row-after-getting-identity-value%23new-answer', 'question_page');
            }
            );

            Post as a guest















            Required, but never shown

























            1 Answer
            1






            active

            oldest

            votes








            1 Answer
            1






            active

            oldest

            votes









            active

            oldest

            votes






            active

            oldest

            votes









            0














            To begin with the most obvious blunder: FSharp.Data.SqlClient type provider via its SqlCommandProvider supports any DML data modification statements, including UPDATE. So,
            instead of all that jazz with pulling the model to the client side, modifying, and pushing back to the server, the same can be achieved by



            ...
            use cmd = SqlCommandProvider<
            "UPDATE [dbo].[ModelData] SET [modelData]=@ModelData WHERE [modelId]=@ModelId",
            conn>(conn)
            cmd.Execute(ModelData="Some new data...", ModelId=modelId) |> ignore
            ...


            The less obvious problem relates to the use of identity field. It sounds like it does not have any special role beyond uniquely identifying every new model. So, instead of the tinkering with creating a fake record, then pulling its id from the server, then updating the record having this id with real values, why not just:




            • introduce an additional column modelUid of type uniqueidentifier

            • add a nonclustered index on it, if this matters

            • begin creating of every new model by generating a fresh GUID with System.Guid.NewGuid()

            • use this GUID value whatever you want, then when you ready to persist your model do it with SQL DML INSERT using the same GUID for modelUid field


            Notice, that with such approach you also use just SqlCommandProvider type of FSharp.Data.SqlClient type provider, so the things stay simple.






            share|improve this answer






























              0














              To begin with the most obvious blunder: FSharp.Data.SqlClient type provider via its SqlCommandProvider supports any DML data modification statements, including UPDATE. So,
              instead of all that jazz with pulling the model to the client side, modifying, and pushing back to the server, the same can be achieved by



              ...
              use cmd = SqlCommandProvider<
              "UPDATE [dbo].[ModelData] SET [modelData]=@ModelData WHERE [modelId]=@ModelId",
              conn>(conn)
              cmd.Execute(ModelData="Some new data...", ModelId=modelId) |> ignore
              ...


              The less obvious problem relates to the use of identity field. It sounds like it does not have any special role beyond uniquely identifying every new model. So, instead of the tinkering with creating a fake record, then pulling its id from the server, then updating the record having this id with real values, why not just:




              • introduce an additional column modelUid of type uniqueidentifier

              • add a nonclustered index on it, if this matters

              • begin creating of every new model by generating a fresh GUID with System.Guid.NewGuid()

              • use this GUID value whatever you want, then when you ready to persist your model do it with SQL DML INSERT using the same GUID for modelUid field


              Notice, that with such approach you also use just SqlCommandProvider type of FSharp.Data.SqlClient type provider, so the things stay simple.






              share|improve this answer




























                0












                0








                0







                To begin with the most obvious blunder: FSharp.Data.SqlClient type provider via its SqlCommandProvider supports any DML data modification statements, including UPDATE. So,
                instead of all that jazz with pulling the model to the client side, modifying, and pushing back to the server, the same can be achieved by



                ...
                use cmd = SqlCommandProvider<
                "UPDATE [dbo].[ModelData] SET [modelData]=@ModelData WHERE [modelId]=@ModelId",
                conn>(conn)
                cmd.Execute(ModelData="Some new data...", ModelId=modelId) |> ignore
                ...


                The less obvious problem relates to the use of identity field. It sounds like it does not have any special role beyond uniquely identifying every new model. So, instead of the tinkering with creating a fake record, then pulling its id from the server, then updating the record having this id with real values, why not just:




                • introduce an additional column modelUid of type uniqueidentifier

                • add a nonclustered index on it, if this matters

                • begin creating of every new model by generating a fresh GUID with System.Guid.NewGuid()

                • use this GUID value whatever you want, then when you ready to persist your model do it with SQL DML INSERT using the same GUID for modelUid field


                Notice, that with such approach you also use just SqlCommandProvider type of FSharp.Data.SqlClient type provider, so the things stay simple.






                share|improve this answer















                To begin with the most obvious blunder: FSharp.Data.SqlClient type provider via its SqlCommandProvider supports any DML data modification statements, including UPDATE. So,
                instead of all that jazz with pulling the model to the client side, modifying, and pushing back to the server, the same can be achieved by



                ...
                use cmd = SqlCommandProvider<
                "UPDATE [dbo].[ModelData] SET [modelData]=@ModelData WHERE [modelId]=@ModelId",
                conn>(conn)
                cmd.Execute(ModelData="Some new data...", ModelId=modelId) |> ignore
                ...


                The less obvious problem relates to the use of identity field. It sounds like it does not have any special role beyond uniquely identifying every new model. So, instead of the tinkering with creating a fake record, then pulling its id from the server, then updating the record having this id with real values, why not just:




                • introduce an additional column modelUid of type uniqueidentifier

                • add a nonclustered index on it, if this matters

                • begin creating of every new model by generating a fresh GUID with System.Guid.NewGuid()

                • use this GUID value whatever you want, then when you ready to persist your model do it with SQL DML INSERT using the same GUID for modelUid field


                Notice, that with such approach you also use just SqlCommandProvider type of FSharp.Data.SqlClient type provider, so the things stay simple.







                share|improve this answer














                share|improve this answer



                share|improve this answer








                edited Jan 4 at 3:45

























                answered Jan 4 at 3:39









                Gene BelitskiGene Belitski

                9,41212646




                9,41212646
































                    draft saved

                    draft discarded




















































                    Thanks for contributing an answer to Stack Overflow!


                    • Please be sure to answer the question. Provide details and share your research!

                    But avoid



                    • Asking for help, clarification, or responding to other answers.

                    • Making statements based on opinion; back them up with references or personal experience.


                    To learn more, see our tips on writing great answers.




                    draft saved


                    draft discarded














                    StackExchange.ready(
                    function () {
                    StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fstackoverflow.com%2fquestions%2f54013601%2ff-fsharp-data-sqlclient-update-row-after-getting-identity-value%23new-answer', 'question_page');
                    }
                    );

                    Post as a guest















                    Required, but never shown





















































                    Required, but never shown














                    Required, but never shown












                    Required, but never shown







                    Required, but never shown

































                    Required, but never shown














                    Required, but never shown












                    Required, but never shown







                    Required, but never shown







                    Popular posts from this blog

                    MongoDB - Not Authorized To Execute Command

                    in spring boot 2.1 many test slices are not allowed anymore due to multiple @BootstrapWith

                    How to fix TextFormField cause rebuild widget in Flutter