Display a single category in blog section

In WordPress, we have what is called as “main query” which points to the global $wp_query object (which is an instance of the WP_Query class), and this main query is run on page load after WordPress parses query arguments from the current URL (or the relevant query for the matching rewrite rule for that URL).

And you should never change/overwrite that variable, or even make the custom query as in your code, because doing so can break a lot of things and also affects the page performance. See query_posts() for further details (but no, do not use that function, either).

The proper way to alter the main WordPress query

.. is by using hooks like pre_get_posts. And on that hook, you can use conditional tags like is_home(), is_front_page() and is_category() to target a specific page.

So here’s an example for your case (and this code would go in the theme functions file):

add_action( 'pre_get_posts', 'my_pre_get_posts' );
function my_pre_get_posts( $query ) {
    // If it's the blog page and $query points to the main WordPress query, then
    // we set "cat" to a specific category ID.
    if ( is_home() && $query->is_main_query() ) {
        $query->set( 'cat', 200 );
    }
}

Further Reading