Optimize Green Hydrogen Production System
This example shows how to determine the key component sizes of a green system for producing hydrogen from an electrolyzer. The key components are as follows:
- Solar array 
- Wind turbine 
- Battery system 
- Bidirectional connection to the electric grid 
- Electrolyzer for producing hydrogen (H2) 
- Electrical load 
This figure illustrates how the various components are connected electrically.

Use techno-economic analysis to determine the optimal component sizes. The technical considerations include the physical and operational constraints of the green hydrogen production system. Assess the economic viability of investing in the system by using the net present value (NPV). Assume a 5% discount rate. Later in the example, you can examine the effect of different discount rates.
Problem Data
Load a data set consisting of hourly data over a 20-year period for the following:
- Load power (kW) 
- Grid electricity price ($/kW) 
- Solar profile (normalized to [0 1]) 
- Wind profile (normalized to [0 1]) 
- Green hydrogen price ($/kg) 
In practice, this type of data might come from public or internal data sources, or from a predictive or forecasting model. For this example, load representative synthesized data into a single data structure (for convenience).
loadPower = load("loadPower.mat"); priceGrid = load("priceGrid.mat"); priceH2 = load("priceH2.mat"); solarProfile = load("solarProfile.mat"); windProfile = load("windProfile.mat"); data = struct(loadPower=loadPower.loadPower,... priceGrid=priceGrid.priceGrid,... priceH2=priceH2.priceH2,... solarProfile=solarProfile.solarProfile,... windProfile=windProfile.windProfile); clear loadPower priceGrid priceH2 solarProfile windProfile numYears = 20; numSteps = 24*365*numYears; % Ignore the effects of leap years and seconds. timeStep = 1; % unit = hours. Convert from power to energy by multiplying by timeStep.
For the NPV calculation, assume an annual discount rate of 5%.
discount_rate = 0.05;
Model Electric Consumption and Production
Model each component of the system. Begin by creating an optimization problem for maximization, where the objective is NPV (specified later in the example).
H2productionProblem = optimproblem(ObjectiveSense="maximize");Treat all variables as continuous.
Grid Power
Create an optimization variable vector named gridPower representing the usage of grid power.
- Assume that the system can use up to 100 kW of power from the grid, and that the system can also supply up to 10 kW of power back to the grid. So, the system can both purchase power from the grid and sell power back to the grid. 
- Assume that the price is the same for purchasing power from the grid and selling power back to the grid. 
gridPowerBuyLimit = 100; % kW gridPowerSellLimit = -10; % kW - negative value to indicate selling back to grid gridPower = optimvar("gridPower",numSteps,... LowerBound=gridPowerSellLimit,UpperBound=gridPowerBuyLimit);
Solar Power
Create an optimization variable vector named solarRating representing the capacity of solar power.
- Assume a single solar unit whose maximum power is - solarRating, where- solarRatingis an optimization variable no more than 500 kW.
- The hourly production of solar power is - data.solarProfile*solarRating.
- The cost of the solar unit is directly proportional to its rating. 
solarPowerCost = 1500; % $/kW of capacity, so total cost = solarPowerCost*solarRating.The cost of the solar unit is taken from https://atb.nrel.gov/electricity/2021/residential_pv.
maxSolarRating = 500; % kW solarRating = optimvar("solarRating",LowerBound=0,UpperBound=maxSolarRating);
Wind Power
Create an optimization variable vector named windRating representing the capacity of wind power.
- Assume a single wind unit whose maximum power is - windRating, where- windRatingis an optimization variable no more than 500 kW.
- The hourly production of wind power is - data.windProfile*windRating.
- The cost of the wind unit is directly proportional to its rating. 
windPowerCost = 1500; % $/kW of capacity, so total cost = windPowerCost*windRating. maxWindRating = 500; % kW windRating = optimvar("windRating",LowerBound=0,UpperBound=maxWindRating);
Electric Storage
Model both power capacity (energy per unit of time in or out of storage) and total energy capacity.
- Assume that the power capacity is - storagePowerRating, an optimization variable no more than 200 kW.
- Assume a single storage unit whose maximum energy capacity is - storageEnergyRating, an optimization variable no more than 10,000 kWh.
The cost of a storage unit has three parts:
- Fixed cost of $5982 
- Cost of $1690 per kW of power capacity 
- Cost of $354 per kWh of energy capacity 
These costs are taken from https://atb.nrel.gov/electricity/2021/residential_battery_storage.
storageFixedCost = 5982; % $ one-time cost storagePowerCost = 1690; % $/kW storageEnergyCost = 354; % $/kWh
Create optimization variables for the storage unit. Create storagePower as a vector representing the power at each time step, and storageEnergy as a vector representing the energy at each time step. Also, create the scalar variables storagePowerRating and storageEnergyRating to represent the capacity of power and energy, respectively.
maxStoragePowerRating = 200; % kW maxStorageEnergyRating = 10e3; % kWh storagePower = optimvar("storagePower",numSteps,... LowerBound=-maxStoragePowerRating,UpperBound=maxStoragePowerRating); storageEnergy = optimvar("storageEnergy",numSteps,... LowerBound=0,UpperBound=maxStorageEnergyRating); storagePowerRating = optimvar("storagePowerRating",LowerBound=0,UpperBound=maxStoragePowerRating); storageEnergyRating = optimvar("storageEnergyRating",LowerBound=0,UpperBound=maxStorageEnergyRating);
The power and energy variables are related by energy balance: the power used or gained in an hour causes the energy stored to decrease or increase. Enforce this energy balance by creating optimization constraints.
storageEnergyBalance = optimconstr(numSteps); % Initialize storageEnergyBalance(1) = storageEnergy(1) == -storagePower(1)*timeStep; % Initialize assuming zero stored energy at first storageEnergyBalance(2:numSteps) = storageEnergy(2:numSteps) == ... storageEnergy(1:numSteps-1) - storagePower(2:numSteps)*timeStep; H2productionProblem.Constraints.storageEnergyBalance = storageEnergyBalance;
The storage system degrades slowly over time. Model the storage system degradation by a 5% linear decline over the lifetime of the system for both storage capacity and power limits.
degradationFactor = linspace(1,1-0.05,numSteps)'; H2productionProblem.Constraints.chargeUpper = ... storageEnergy <= storageEnergyRating*degradationFactor; H2productionProblem.Constraints.storagePowerLower1 = ... storagePower >= -storagePowerRating*degradationFactor; H2productionProblem.Constraints.storagePowerUpper = ... storagePower <= storagePowerRating*degradationFactor;
Constrain the storage power to use only wind or solar power, not energy from the grid. This constraint ensures that the storage unit only supplies energy only from renewable sources during hydrogen production.
renewablePower = data.solarProfile*solarRating + data.windProfile*windRating; H2productionProblem.Constraints.storagePowerLower2 = storagePower >= -renewablePower;
Electrolyzer Unit
Create an optimization variable named electrolyzerPower representing the power the electrolyzer uses at each hour, and an optimization variable named electrolyzerPowerRating representing the maximum for electrolyzerPower.
- Assume a single electrolyzer unit. 
- The electrolyzer power rating can be between 0 and 50 kW. 
- The electrolyzer produces hydrogen continuously and sells the stored hydrogen weekly. 
- The cost for storing the hydrogen in the system is not considered. 
- The electrolyzer uses 55 kWh of energy to produce 1 kg of hydrogen. 
- The cost of the electrolyzer unit is proportional to its power capacity. 
electrolyzerPowerCost = 4000; % $/kW of capacity, so total cost = electrolyzerPowerCost*electrolyzerPowerRating.Create variables for the electrolyzer parameters.
maxElectrolyzerPowerRating = 50; % kW H2SellInterval = 24*7; % hours in one week H2ProdEnergy = 55; % kWh/kg
Create optimization variables for both the electrolyzer power and the stored hydrogen for each time step.
electrolyzerPower = optimvar("electrolyzerPower",numSteps,... LowerBound=0,UpperBound=maxElectrolyzerPowerRating); electrolyzerPowerRating = optimvar("electrolyzerPowerRating",LowerBound=0,UpperBound=maxElectrolyzerPowerRating); H2_stored = optimvar("H2_stored",numSteps,LowerBound=0,UpperBound=1e12);
Create constraints enforcing the use of electrolyzer power to produce the hydrogen.
electrolyzerH2prod = optimconstr(numSteps);
electrolyzerH2prod(1) = H2_stored(1) == electrolyzerPower(1)*timeStep/H2ProdEnergy;
electrolyzerH2prod(2:numSteps) = H2_stored(2:numSteps) == ...
    H2_stored(1:numSteps-1) + electrolyzerPower(2:numSteps)*timeStep/H2ProdEnergy;
H2productionProblem.Constraints.electrolyzerH2prod = electrolyzerH2prod;Create a constraint that all the produced hydrogen is sold at the specified intervals.
H2productionProblem.Constraints.electrolyzerH2prod(H2SellInterval+1:H2SellInterval:numSteps) = ... H2_stored(H2SellInterval+1:H2SellInterval:numSteps) == ... electrolyzerPower(H2SellInterval+1:H2SellInterval:numSteps)*timeStep/H2ProdEnergy;
Calculate how much hydrogen is sold at the specified selling intervals.
H2_sold = H2_stored(H2SellInterval:H2SellInterval:numSteps);
Constrain the electrolyzer power to maxElectrolyzerPowerRating, with linear degradation over time using the same degradation factor as for the storage unit power and energy capacity.
H2productionProblem.Constraints.electrolyzerPowerUpper1 = ...
    electrolyzerPower  <=  electrolyzerPowerRating*degradationFactor;Constrain the electrolyzer to be supplied only by solar, wind, and storage power, not grid power. This constraint ensures that hydrogen is produced solely by renewable sources.
H2productionProblem.Constraints.electrolyzerPowerUpper2 = ...
    electrolyzerPower  <=  renewablePower + storagePower;System Power Balance
Create a constraint that the power used plus the electrolyzer power is equal to the sum of the other power components.
H2productionProblem.Constraints.powerBalance = ... data.loadPower + electrolyzerPower == ... gridPower + storagePower + ... data.solarProfile.*solarRating + ... data.windProfile.*windRating;
Create and Solve Optimization Problem
Summarize the costs of the system in a table.
| Cost | Amount | Related Variable | 
| Storage energy | $354/kWh | 
 | 
| Storage power | $1690/kW | 
 | 
| Storage fixed | $5982 (one-time cost) | (none) | 
| Solar power | $1500/kW | 
 | 
| Wind power | $1500/kW | 
 | 
| Electrolyzer power | $4000/kW | 
 | 
| Grid power | 
 | 
 | 
Recall that NPV (net present value) is defined by
where is a time period, is the total number of time periods, is cash flow, and is the discount rate.
Create an array of NPV correction factors to apply to each year's cash flow.
NPV_correction = 1./((1+discount_rate).^(1:20));
To apply the NPV correction at yearly intervals, calculate the annual cash flow from both purchasing power from the grid and selling power to the grid.
gridCashFlow = gridPower.*data.priceGrid; gridCashFlowAnnual = sum(reshape(gridCashFlow,numYears,8760),2);
Similarly, calculate the cash flow from selling hydrogen. Because the sales interval for hydrogen is weekly instead of hourly, calculating the cash flow for each year is more complex.
priceH2_sellTimes = data.priceH2(H2SellInterval:H2SellInterval:numSteps); H2cashFlow = H2_sold.*priceH2_sellTimes; H2cashFlowAnnual = optimexpr(numYears,1); j = 1; % year counter for i = 1:size(H2cashFlow,1) if i > j*numSteps/(numYears*H2SellInterval) j = j + 1; end H2cashFlowAnnual(j,1) = H2cashFlowAnnual(j,1) + H2cashFlow(i,1); end
Define the NPV expression, and set NPV as the objective function in the problem. Recall that the goal is to maximize the NPV.
NPV = dot(H2cashFlowAnnual,NPV_correction) - ... (dot(gridCashFlowAnnual,NPV_correction) + ... storageEnergyRating*storageEnergyCost + ... storagePowerRating*storagePowerCost + ... storageFixedCost + ... solarRating*solarPowerCost + ... windRating*windPowerCost + ... electrolyzerPowerRating*electrolyzerPowerCost); H2productionProblem.Objective = NPV;
To solve an optimization problem you call the solve function. solve automatically selects an appropriate solver from the problem definition. To set options for solve, find out which solver is default for this problem.
defaultSolver = solvers(H2productionProblem)
defaultSolver = "linprog"
Next, set options so the linprog solver uses the "interior-point" algorithm, which is typically efficient on large problems. To monitor the solver during the lengthy solution process, specify the iterative display.
opt = optimoptions("linprog",Display="iter",Algorithm="interior-point");
Call solve, timing the solution process.
tic [sol,fval,exitflag,output] = solve(H2productionProblem,Options=opt);
Solving problem using linprog.
LP preprocessing removed 1 inequalities, 350400 equalities,
350400 variables, and 174163 non-zero elements.
 Iter            Fval  Primal Infeas    Dual Infeas  Complementarity  
    0    2.018450e+07   8.226336e+10   7.929518e+04     3.964759e+04  
    1    1.552183e+07   7.044826e+10   4.401464e+04     2.851580e+04  
    2    1.356020e+07   6.532633e+10   4.385490e+04     2.840865e+04  
    3    9.200252e+06   5.593844e+10   3.668795e+04     2.601673e+04  
    4    9.357494e+06   5.506621e+10   3.615345e+04     2.556162e+04  
    5    4.343854e+06   4.234017e+10   1.943619e+04     1.942665e+04  
    6    3.663265e+06   4.081119e+10   1.929830e+04     1.918952e+04  
    7    3.485725e+06   4.022795e+10   1.750641e+04     1.909905e+04  
    8    1.164683e+06   3.245046e+10   1.739851e+04     1.789185e+04  
    9   -6.963977e+05   2.433568e+10   1.299994e+04     1.662839e+04  
   10   -1.126482e+06   9.768712e+09   3.738028e+03     1.434624e+04  
   11   -9.687063e+05   8.032400e+09   2.792419e+03     1.547206e+04  
   12   -9.468808e+05   7.352327e+09   2.455865e+03     1.453425e+04  
   13   -8.833332e+05   3.687013e+09   1.998453e+03     1.338917e+04  
   14   -7.277230e+05   1.715294e+09   8.500309e+02     1.071701e+04  
   15   -7.436108e+05   1.498642e+09   8.230177e+02     1.037671e+04  
   16   -1.074011e+06   8.261753e+08   7.441277e+02     9.379018e+03  
   17   -1.077624e+06   8.245123e+08   7.245774e+02     9.132715e+03  
   18   -1.226810e+06   6.261597e+08   7.225536e+02     9.107218e+03  
   19   -1.266135e+06   5.950300e+08   6.306165e+02     8.377604e+03  
   20   -1.372968e+06   4.214008e+08   5.631281e+02     7.899575e+03  
   21   -1.549299e+06   1.824030e+08   4.472333e+02     6.574444e+03  
   22   -1.626012e+06   9.120146e+04   9.807344e+00     3.695863e+03  
   23   -1.622792e+06   4.560073e+01   9.560155e-03     1.362373e+01  
   24   -8.064141e+05   2.127121e+01   3.678170e-03     1.916751e+01  
   25   -4.678312e+05   1.557951e+01   2.700289e-03     1.756024e+01  
   26   -4.627417e+05   1.547614e+01   2.699102e-03     1.754751e+01  
   27   -3.805279e+05   1.390284e+01   1.161992e-03     5.257968e+00  
   28   -3.670200e+05   1.044264e+01   1.080932e-03     2.826650e+00  
   29   -1.955032e+05   7.452452e+00   6.067237e-04     5.262977e+00  
 Iter            Fval  Primal Infeas    Dual Infeas  Complementarity  
   30   -1.834978e+05   6.736750e+00   6.053788e-04     6.796647e+00  
   31   -1.650436e+05   6.438945e+00   5.036610e-04     6.689471e+00  
   32   -2.698129e+04   4.394982e+00   3.238541e-04     7.299377e+00  
   33   -2.646554e+04   4.377763e+00   2.704182e-04     9.136283e+00  
   34    4.775113e+04   3.009570e+00   1.588434e-04     1.755189e+01  
   35    8.715253e+04   2.313734e+00   1.036529e-04     1.582682e+01  
   36    1.095374e+05   1.933172e+00   6.971713e-05     1.391112e+01  
   37    1.428280e+05   1.384880e+00   5.228584e-05     1.536791e+01  
   38    1.653059e+05   1.006606e+00   3.007598e-05     1.738325e+01  
   39    1.745924e+05   8.066753e-01   2.349982e-05     1.677252e+01  
   40    1.887234e+05   5.707941e-01   1.799345e-05     1.675065e+01  
   41    1.894661e+05   5.595033e-01   1.639836e-05     1.671120e+01  
   42    1.994373e+05   4.016306e-01   1.299087e-05     1.663295e+01  
   43    2.071318e+05   2.876110e-01   1.016935e-05     1.648997e+01  
   44    2.113263e+05   2.266574e-01   8.323093e-06     1.595836e+01  
   45    2.148295e+05   1.770347e-01   6.935740e-06     1.515705e+01  
   46    2.180868e+05   1.319762e-01   5.723765e-06     1.545211e+01  
   47    2.194061e+05   1.100278e-01   4.895371e-06     1.549773e+01  
   48    2.204827e+05   8.998842e-02   3.854651e-06     1.538815e+01  
   49    2.214611e+05   7.659881e-02   2.637180e-06     1.539659e+01  
   50    2.231041e+05   5.602257e-02   1.498145e-06     1.124591e+01  
   51    2.240638e+05   4.512802e-02   7.528389e-07     9.045476e+00  
   52    2.256579e+05   2.853341e-02   4.992136e-07     5.702067e+00  
   53    2.267204e+05   1.776539e-02   3.628167e-07     4.005795e+00  
   54    2.269046e+05   1.598756e-02   3.339862e-07     4.006549e+00  
   55    2.274924e+05   1.039321e-02   1.411994e-07     4.011043e+00  
   56    2.276517e+05   9.014455e-03   9.943557e-08     4.010769e+00  
   57    2.279885e+05   6.211416e-03   6.882643e-08     4.010103e+00  
   58    2.282015e+05   4.492601e-03   4.924503e-08     3.010547e+00  
   59    2.283730e+05   3.131676e-03   4.810175e-07     2.097811e+00  
 Iter            Fval  Primal Infeas    Dual Infeas  Complementarity  
   60    2.284716e+05   2.384796e-03   4.118093e-06     1.623020e+00  
   61    2.285782e+05   1.581911e-03   2.482488e-06     1.645759e+00  
   62    2.286907e+05   8.093256e-04   1.824487e-06     1.526011e+00  
   63    2.287277e+05   5.715719e-04   3.074821e-06     1.080195e+00  
   64    2.287452e+05   4.695733e-04   2.948513e-06     8.883417e-01  
   65    2.287805e+05   2.663655e-04   5.353201e-06     5.044170e-01  
   66    2.288118e+05   1.039414e-04   2.921798e-05     1.971499e-01  
   67    2.288190e+05   7.158810e-05   1.314693e-05     1.357991e-01  
   68    2.288331e+05   1.787068e-05   2.169306e-06     3.369522e-02  
   69    2.288371e+05   4.840301e-06   7.612367e-06     8.511136e-03  
   70    2.288385e+05   1.677557e-06   9.943466e-07     2.397492e-03  
   71    2.288392e+05   5.499432e-07   7.753010e-09     7.948444e-06  
   72    2.288392e+05   5.638821e-07   6.120019e-10     1.028384e-07  
Minimum found that satisfies the constraints.
Optimization completed because the objective function is non-decreasing in feasible directions, to within the function tolerance, and constraints are satisfied to within the constraint tolerance.
toc
Elapsed time is 695.973725 seconds.
Analyze Results
Show the optimized NPV.
optimizedNPV = fval
optimizedNPV = 2.2884e+05
Because the NPV is positive, the project is economically worthwhile.
Extract the optimization solution values for analysis.
solarPowerVal = data.solarProfile*sol.solarRating; solarPowerRatingVal = sol.solarRating; windPowerVal = data.windProfile*sol.windRating; windPowerRatingVal = sol.windRating; gridPowerVal = sol.gridPower; storagePowerVal = sol.storagePower; storagePowerRatingVal = sol.storagePowerRating; storageEnergyRatingVal = sol.storageEnergyRating; electrolyzerPowerVal = sol.electrolyzerPower; electrolyzerPowerRatingVal = sol.electrolyzerPowerRating;
Create a table to display the solution variables.
systemComponents = ["Solar Power Rating (kW)";"Wind Power Rating (kW)"; ... "Storage Power Rating (kW)";"Storage Energy Rating (kWh)"; ... "Electrolyzer Power Rating (kW)"]; lowerBounds = zeros(5,1); upperBounds = [maxSolarRating; maxWindRating; maxStoragePowerRating;... maxStorageEnergyRating; maxElectrolyzerPowerRating]; optimizedRatings = [solarPowerRatingVal; windPowerRatingVal; storagePowerRatingVal; ... storageEnergyRatingVal; electrolyzerPowerRatingVal]; resultsTable = table(systemComponents,lowerBounds,upperBounds,optimizedRatings)
resultsTable=5×4 table
            systemComponents            lowerBounds    upperBounds    optimizedRatings
    ________________________________    ___________    ___________    ________________
    "Solar Power Rating (kW)"                0              500            42.216     
    "Wind Power Rating (kW)"                 0              500            114.54     
    "Storage Power Rating (kW)"              0              200            37.688     
    "Storage Energy Rating (kWh)"            0            10000            199.02     
    "Electrolyzer Power Rating (kW)"         0               50                50     
The optimal electrolyzer power rating is at its upper bound of 50. This result suggests that using an electrolyzer with a rating larger than 50 kW might produce a higher NPV for the project.
Examine System Operations
Examine the operation of the system in detail. First, create a time vector for the 20-year period.
t1 = datetime(2024,1,1,0,0,0); t2 = datetime(2024 + numYears - 1,12,31,23,0,0); t = linspace(t1,t2,numSteps);
Plot the time series data of solar power, wind power, grid power, storage power, load power, and electrolyzer power.
figure p = plot(t,solarPowerVal,t,windPowerVal,t,gridPowerVal,"k",t,storagePowerVal,t, ... data.loadPower,"--",t,electrolyzerPowerVal,"--",LineWidth=2); grid legend("Solar Power","Wind Power","Grid Power","Storage Power","Load Power","Electrolyzer Power",Location="eastoutside") xlabel("Date and Time"),ylabel("Power (kW)")

To see the curves in more detail, zoom in to view a one-week period.
xlim([t(1e3),t(1e3+24*7)])

The level of detail reveals the following:
- The grid power and load power curves are identical. For this time range, the load is fully supplied by the grid. 
- Storage power tends to become negative as solar power nears its maximum. The battery system tends to store some solar energy when solar power is available, and supplies power when solar power is not available. 
- Electrolyzer power is correlated with wind power, but is not identical. 
Plot the grid power and grid price profile.
figure plot(t,sol.gridPower,"k"); xlabel("Date and Time"),ylabel("Grid Power (kW)") grid hold on yyaxis right plot(t,data.priceGrid); ylabel("Grid Power Price ($/kW)") ylim([min(data.priceGrid) max(data.priceGrid)]) hold off

Zoom in for a closer look.
xlim([t(1e5) t(1.002e5)])

- Grid power sometimes becomes negative, indicating power being sold back to the grid. 
- Power is typically sold back to the grid when the grid price is higher, but not always. This result highlights the value of using optimization when making decisions in this type of complex problem. 
Calculate and plot the cumulative hydrogen sold.
H2_sold_cum = cumsum(sol.H2_stored);
totalH2 = H2_sold_cum(end);
fprintf("Total H2 sold in kg: %g\n",totalH2)Total H2 sold in kg: 1.09694e+07
figure plot(t,H2_sold_cum); xlabel("Date and Time") ylabel("Cumulative Hydrogen Sold (kg)") grid

The cumulative hydrogen sold is linearly increasing in time (roughly).
Plot the stored hydrogen profile over a four-week period. Note that stored hydrogen increases throughout the week, and then drops at the end of the week when it is sold.
figure plot(t,sol.H2_stored); xlabel("Date and Time") ylabel("Stored Hydrogen (kg)") xlim([t(1e3),t(1e3+24*7*4)]) grid

Change Discount Rate
What is the effect of the discount rate on the economics of this system? Calculate the results for a range of discount rates. This calculation takes a long time, so use parallel computing if it is available.
nrates = 16; discountRate = linspace(.02,.08,nrates); % Create arrays to hold the results. sols = cell(nrates,1); fvals = zeros(1,nrates); opt.Display = "none"; allconstraints = H2productionProblem.Constraints; tic parfor i = 1:nrates NPVCorrection = 1./((1+discountRate(i)).^(1:numYears)); NPV = dot(H2cashFlowAnnual,NPVCorrection) - ... (dot(gridCashFlowAnnual,NPVCorrection) + ... storageEnergyRating*storageEnergyCost + ... storagePowerRating*storagePowerCost + ... storageFixedCost + ... solarRating*solarPowerCost + ... windRating*windPowerCost + ... electrolyzerPowerRating*electrolyzerPowerCost); H2productionProblem = optimproblem(Objective=NPV,... Constraints=allconstraints,ObjectiveSense="max"); [tempsol,tempfval] = solve(H2productionProblem,Options=opt); sols{i} = tempsol; fvals(i) = tempfval; end
Starting parallel pool (parpool) using the 'Processes' profile ... Connected to parallel pool with 4 workers.
toc
Elapsed time is 2822.702064 seconds.
Plot the NPV as a function of the discount rate.
figure plot(discountRate,fvals,"bo") xlabel("Discount Rate") ylabel("NPV")

The optimal NPV decreases smoothly from 5e5 to 7e4 as the discount rate increases from 2% to 8%. The optimal curve appears to be convex, which implies that the NPV is more sensitive to changes in the discount rate when it is small and is less sensitive when it is large.
Plot how the optimal solar, wind, storage, and electrolyzer ratings respond to different discount rates.
solarPowerRatings = zeros(1,nrates); windPowerRatings = zeros(1,nrates); storagePowerRatings = zeros(1,nrates); storageEnergyRatings = zeros(1,nrates); electrolyzerPowerRatings = zeros(1,nrates); Total_H2_Sold = zeros(1,nrates); for i = 1:nrates solarPowerRatings(i) = sols{i}.solarRating; windPowerRatings(i) = sols{i}.windRating; storagePowerRatings(i) = sols{i}.storagePowerRating; storageEnergyRatings(i) = sols{i}.storageEnergyRating; electrolyzerPowerRatings(i) = sols{i}.electrolyzerPowerRating; Total_H2_Sold(i) = sum(sols{i}.H2_stored); end figure tiledlayout(3,2,TileSpacing="tight") nexttile plot(discountRate,solarPowerRatings,"bo") xlabel("Discount Rate") ylabel("Solar Power") nexttile plot(discountRate,windPowerRatings,"bo") xlabel("Discount Rate") ylabel("Wind Power") nexttile plot(discountRate,storagePowerRatings,"bo") xlabel("Discount Rate") ylabel("Storage Power") nexttile plot(discountRate,storageEnergyRatings,"bo") xlabel("Discount Rate") ylabel("Storage Energy") nexttile plot(discountRate,electrolyzerPowerRatings,"bo") xlabel("Discount Rate") ylabel("Electrolyzer Power") ylim([49 50]) nexttile plot(discountRate,Total_H2_Sold,"bo") xlabel("Discount Rate") ylabel("Total H2 Sold")

- The solar power rating is not a monotone function of the discount rate. The highest observed optimal solar power rating is about 52 kW, and the smallest is about 36 kW. 
- Similarly, the wind rating does not have a monotone response to the discount rate. The highest observed wind power rating is almost 128 kW, and the lowest is a bit over 114 kW. 
- The storage power rating is nonincreasing. The highest observed storage power rating is 55 kW, and the lowest is 34 kW. 
- Similarly, the storage energy rating is nonincreasing. The highest observed storage energy rating is near 500 kWh, and the lowest is just under 200 kWh. 
- The optimal electrolyzer power rating is 50 kW for all discount rates. This result implies that you can improve the NPV by using a higher electrolyzer power rating. 
- The total hydrogen sold over the 20-year period is monotone decreasing in the discount rate, and is neither concave nor convex. The highest observed amount of hydrogen sold is over 1.2e7 kg, and the lowest is just under 1e7 kg. 
Conclusion
The analysis of the green hydrogen production system shows that the system is economical to use for all discount rates between 2% and 8%. The operational details of the system show some unexpected variations in response to different discount rates. Specifically, the system component ratings are not strictly monotone functions of the discount rate. The optimal solutions include hourly settings for the various system components, as shown in the section Examine System Operations.