C # execute 2 threads simultaneously

I am trying to reproduce a streaming error condition in an HTTP handler.

Basically, an ASP.net procecss worker creates 2 threads that simultaneously start an HTTP handler in my application when a certain page loads.

Inside the http handler is a resource that is not thread safe. Therefore, when two threads try to access it simultaneously, an exception is thrown.

I could potentially put a lock statement around the resource, however I want to make sure this is true. Therefore, at first I wanted to create a situation in a console application.

But I cannot get 2 threads to execute the method at the same time as asp.net wp. So my question is how can you create 2 threads that can execute a method at the same time.

Edit:

The main resource is a sql database with a user table (it has only a name column). Here is an example of the code I tried.

[TestClass]
    public class UnitTest1
    {
        [TestMethod]
        public void Linq2SqlThreadSafetyTest()
        {
            var threadOne = new Thread(new ParameterizedThreadStart(InsertData));
            var threadTwo = new Thread(new ParameterizedThreadStart(InsertData));

            threadOne.Start(1); // Was trying to sync them via this parameter.
            threadTwo.Start(0);

            threadOne.Join();
            threadTwo.Join();
        }


        private static void InsertData( object milliseconds )
        {
            // Linq 2 sql data context
            var database = new DataClassesDataContext();

            // Database entity
            var newUser = new User {Name = "Test"};

            database.Users.InsertOnSubmit(newUser);

            Thread.Sleep( (int) milliseconds);

            try
            {
                database.SubmitChanges(); // This statement throws exception in the HTTP Handler.
            }

            catch (Exception exception)
            {
                Debug.WriteLine(exception.Message);
            }
        }
    }
+3
source share
1 answer

You can simply set the static time to start your work as follows.

private static DateTime startTime = DateTime.Now.AddSeconds(5); //arbitrary start time

static void Main(string[] args)
{
    ThreadStart threadStart1 = new ThreadStart(DoSomething);
    ThreadStart threadStart2 = new ThreadStart(DoSomething);
    Thread th1 = new Thread(threadStart1);
    Thread th2 = new Thread(threadStart2);

    th1.Start();             
    th2.Start();

    th1.Join();
    th2.Join();

    Console.ReadLine();
}

private static void DoSomething()
{
    while (DateTime.Now < startTime)
    {
        //do nothing
    }

    //both threads will execute code here concurrently
}
+5
source

Source: https://habr.com/ru/post/1795055/


All Articles