Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Add UseProcedureCache option and documentation. Fixes #1175 #1535

Draft
wants to merge 4 commits into
base: master
Choose a base branch
from
Draft
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
5 changes: 5 additions & 0 deletions docs/content/connection-options.md
Original file line number Diff line number Diff line change
Expand Up @@ -451,6 +451,11 @@ These are the other options that MySqlConnector supports. They are set to sensib
distributed transactions, but may not be compatible with server replication; there are <a href="https://dev.mysql.com/doc/refman/8.0/en/xa-restrictions.html">other limitations</a>.
When set to <code>false</code>, regular MySQL transactions are used, just like Connector/NET.</td>
</tr>
<tr id="UseProcedureCache">
<td>Use Procedure Cache, UseProcedureCache</td>
<td>true</td>
<td>When <code>false</code> disables the procedure cache</td>
</tr>
</table>

## Unsupported Options
Expand Down
14 changes: 9 additions & 5 deletions src/MySqlConnector/Core/CommandExecutor.cs
Original file line number Diff line number Diff line change
Expand Up @@ -20,17 +20,21 @@ public static async ValueTask<MySqlDataReader> ExecuteReaderAsync(CommandListPos

Log.CommandExecutorExecuteReader(command.Logger, connection.Session.Id, ioBehavior, commandListPosition.CommandCount);

Dictionary<string, CachedProcedure?>? cachedProcedures = null;
var cachedProcedures = new Dictionary<string, CachedProcedure?>();
for (var commandIndex = 0; commandIndex < commandListPosition.CommandCount; commandIndex++)
{
var command2 = commandListPosition.CommandAt(commandIndex);
if (command2.CommandType == CommandType.StoredProcedure)
if (command2.CommandType == CommandType.StoredProcedure && connection.Session.UseProcedureCache)
{
cachedProcedures ??= [];
var commandText = command2.CommandText!;
if (!cachedProcedures.ContainsKey(commandText))
{
cachedProcedures.Add(commandText, await connection.GetCachedProcedure(commandText, revalidateMissing: false, ioBehavior, cancellationToken).ConfigureAwait(false));
var cachedProcedure = await connection.GetCachedProcedure(commandText, revalidateMissing: false, ioBehavior, cancellationToken).ConfigureAwait(false);

if (cachedProcedure != null)
{
cachedProcedures.Add(commandText, cachedProcedure);
}

// because the connection was used to execute a MySqlDataReader with the connection's DefaultCommandTimeout,
// we need to reapply the command's CommandTimeout (even if some of the time has elapsed)
Expand All @@ -41,7 +45,7 @@ public static async ValueTask<MySqlDataReader> ExecuteReaderAsync(CommandListPos

var writer = new ByteBufferWriter();
//// cachedProcedures will be non-null if there is a stored procedure, which is also the only time it will be read
if (!payloadCreator.WriteQueryCommand(ref commandListPosition, cachedProcedures!, writer, false))
if (!payloadCreator.WriteQueryCommand(ref commandListPosition, cachedProcedures, writer, false))
throw new InvalidOperationException("ICommandPayloadCreator failed to write query payload");

cancellationToken.ThrowIfCancellationRequested();
Expand Down
3 changes: 3 additions & 0 deletions src/MySqlConnector/Core/ConnectionSettings.cs
Original file line number Diff line number Diff line change
Expand Up @@ -147,6 +147,7 @@ public ConnectionSettings(MySqlConnectionStringBuilder csb)
UseAffectedRows = csb.UseAffectedRows;
UseCompression = csb.UseCompression;
UseXaTransactions = csb.UseXaTransactions;
UseProcedureCache = csb.UseProcedureCache;

static int ToSigned(uint value) => value >= int.MaxValue ? int.MaxValue : (int) value;
}
Expand Down Expand Up @@ -245,6 +246,7 @@ private static MySqlGuidFormat GetEffectiveGuidFormat(MySqlGuidFormat guidFormat
public bool UseAffectedRows { get; }
public bool UseCompression { get; }
public bool UseXaTransactions { get; }
public bool UseProcedureCache { get; }

public byte[]? ConnectionAttributes { get; set; }

Expand Down Expand Up @@ -335,6 +337,7 @@ private ConnectionSettings(ConnectionSettings other, string host, int port, stri
UseAffectedRows = other.UseAffectedRows;
UseCompression = other.UseCompression;
UseXaTransactions = other.UseXaTransactions;
UseProcedureCache = other.UseProcedureCache;
}

private static readonly string[] s_localhostPipeServer = ["."];
Expand Down
18 changes: 13 additions & 5 deletions src/MySqlConnector/Core/ServerSession.cs
Original file line number Diff line number Diff line change
Expand Up @@ -63,6 +63,7 @@ public ServerSession(ILogger logger, IConnectionPoolMetadata pool)
public bool SupportsQueryAttributes { get; private set; }
public bool SupportsSessionTrack { get; private set; }
public bool ProcAccessDenied { get; set; }
public bool UseProcedureCache { get; private set; }
public ICollection<KeyValuePair<string, object?>> ActivityTags => m_activityTags;
public MySqlDataReader DataReader { get; set; }
public MySqlConnectionOpenedConditions Conditions { get; private set; }
Expand Down Expand Up @@ -148,14 +149,20 @@ public async Task PrepareAsync(IMySqlCommand command, IOBehavior ioBehavior, Can
string commandToPrepare;
if (command.CommandType == CommandType.StoredProcedure)
{
var cachedProcedure = await command.Connection!.GetCachedProcedure(commandText, revalidateMissing: false, ioBehavior, cancellationToken).ConfigureAwait(false);
if (cachedProcedure is null)
var parameterCount = command.RawParameters?.Count ?? 0;

if (UseProcedureCache)
{
var name = NormalizedSchema.MustNormalize(command.CommandText!, command.Connection.Database);
throw new MySqlException($"Procedure or function '{name.Component}' cannot be found in database '{name.Schema}'.");
var cachedProcedure = await command.Connection!.GetCachedProcedure(commandText, revalidateMissing: false, ioBehavior, cancellationToken).ConfigureAwait(false);
if (cachedProcedure is null)
{
var name = NormalizedSchema.MustNormalize(command.CommandText!, command.Connection.Database);
throw new MySqlException($"Procedure or function '{name.Component}' cannot be found in database '{name.Schema}, or procedure caching is disabled");
}

parameterCount = cachedProcedure.Parameters.Count;
}

var parameterCount = cachedProcedure.Parameters.Count;
#if NETCOREAPP2_1_OR_GREATER || NETSTANDARD2_1_OR_GREATER
commandToPrepare = string.Create(commandText.Length + 7 + (parameterCount * 2) + (parameterCount == 0 ? 1 : 0), (commandText, parameterCount), static (buffer, state) =>
{
Expand Down Expand Up @@ -607,6 +614,7 @@ public async Task DisposeAsync(IOBehavior ioBehavior, CancellationToken cancella
}

m_payloadHandler.ByteHandler.RemainingTimeout = Constants.InfiniteTimeout;
UseProcedureCache = cs.UseProcedureCache;
return redirectionUrl;
}
catch (ArgumentException ex)
Expand Down
4 changes: 2 additions & 2 deletions src/MySqlConnector/Core/SingleCommandPayloadCreator.cs
Original file line number Diff line number Diff line change
Expand Up @@ -184,8 +184,8 @@ private static void WriteBinaryParameters(ByteBufferWriter writer, MySqlParamete
private static bool WriteStoredProcedure(IMySqlCommand command, IDictionary<string, CachedProcedure?> cachedProcedures, ByteBufferWriter writer)
{
var parameterCollection = command.RawParameters;
var cachedProcedure = cachedProcedures[command.CommandText!];
if (cachedProcedure is not null)
var cachedProcedureExist = cachedProcedures.TryGetValue(command.CommandText!, out var cachedProcedure);
if (cachedProcedureExist && cachedProcedure is not null)
parameterCollection = cachedProcedure.AlignParamsWithDb(parameterCollection);

MySqlParameter? returnParameter = null;
Expand Down
2 changes: 1 addition & 1 deletion src/MySqlConnector/MySqlCommandBuilder.cs
Original file line number Diff line number Diff line change
Expand Up @@ -31,7 +31,7 @@ private static async Task DeriveParametersAsync(IOBehavior ioBehavior, MySqlComm
if (cachedProcedure is null)
{
var name = NormalizedSchema.MustNormalize(command.CommandText!, command.Connection.Database);
throw new MySqlException($"Procedure or function '{name.Component}' cannot be found in database '{name.Schema}'.");
throw new MySqlException($"Procedure or function '{name.Component}' cannot be found in database '{name.Schema}', or procedure caching is disabled");
}

command.Parameters.Clear();
Expand Down
3 changes: 3 additions & 0 deletions src/MySqlConnector/MySqlConnection.cs
Original file line number Diff line number Diff line change
Expand Up @@ -962,6 +962,9 @@ internal void Cancel(ICancellableCommand command, int commandId, bool isCancel)

internal async Task<CachedProcedure?> GetCachedProcedure(string name, bool revalidateMissing, IOBehavior ioBehavior, CancellationToken cancellationToken)
{
if (!m_session!.UseProcedureCache)
return null;

Log.GettingCachedProcedure(m_logger, m_session!.Id, name);
if (State != ConnectionState.Open)
throw new InvalidOperationException("Connection is not open.");
Expand Down
18 changes: 18 additions & 0 deletions src/MySqlConnector/MySqlConnectionStringBuilder.cs
Original file line number Diff line number Diff line change
Expand Up @@ -800,6 +800,19 @@ public bool UseXaTransactions
set => MySqlConnectionStringOption.UseXaTransactions.SetValue(this, value);
}

/// <summary>
/// Enables procedure cache.
/// </summary>
[Category("Other")]
[DefaultValue(true)]
[Description("Enables procedure cache.")]
[DisplayName("Use Procedure Cache")]
public bool UseProcedureCache
{
get => MySqlConnectionStringOption.UseProcedureCache.GetValue(this);
set => MySqlConnectionStringOption.UseProcedureCache.SetValue(this, value);
}

// Other Methods

/// <summary>
Expand Down Expand Up @@ -958,6 +971,7 @@ internal abstract partial class MySqlConnectionStringOption
public static readonly MySqlConnectionStringValueOption<bool> UseAffectedRows;
public static readonly MySqlConnectionStringValueOption<bool> UseCompression;
public static readonly MySqlConnectionStringValueOption<bool> UseXaTransactions;
public static readonly MySqlConnectionStringValueOption<bool> UseProcedureCache;

public static MySqlConnectionStringOption? TryGetOptionForKey(string key) =>
s_options.TryGetValue(key, out var option) ? option : null;
Expand Down Expand Up @@ -1262,6 +1276,10 @@ static MySqlConnectionStringOption()
AddOption(options, UseXaTransactions = new(
keys: ["Use XA Transactions", "UseXaTransactions"],
defaultValue: true));

AddOption(options, UseProcedureCache = new(
keys: ["Use Procedure Cache", "UseProcedureCache"],
defaultValue: true));
#pragma warning restore SA1118 // Parameter should not span multiple lines

#if NET8_0_OR_GREATER
Expand Down