다음에 대한 결과:
Are there any code restrictions for programming Cody solutions? I could not find anything mentioned at https://www.mathworks.com/matlabcentral/content/cody/about.html, other than toolbox functions not being available.
Untapped Potential for Output-arguments Block
MATLAB has a very powerful feature in its arguments blocks. For example, the following code for a function (or method):
- clearly outlines all the possible inputs
- provides default values for each input
- will produce auto-complete suggestions while typing in the Editor (and Command Window in newer versions)
- checks each input against validation functions to enforce size, shape (e.g., column vs. row vector), type, and other options (e.g., being a member of a set)
function [out] = sample_fcn(in)
	arguments(Input)
		in.x (:, 1) = []
		in.model_type (1, 1) string {mustBeMember(in.model_type, ...
			["2-factor", "3-factor", "4-factor"])} = "2-factor"
		in.number_of_terms (1, 1) {mustBeMember(in.number_of_terms, 1:5)} = 1
		in.normalize_fit (1, 1) logical = false
	end
	% function logic ...
end
If you do not already use the arguments block for function (or method) inputs, I strongly suggest that you try it out.
The point of this post, though, is to suggest improvements for the output-arguments block, as it is not nearly as powerful as its input-arguments counterpart. I have included two function examples: the first can work in MATLAB while the second does not, as it includes suggestions for improvements. Commentary specific to each function is provided completely before the code. While this does necessitate navigating back and forth between functions and text, this provides for an easy comparison between the two functions which is my main goal.
Current Implementation
The input-arguments block for sample_fcn begins the function and has already been discussed. A simple output-arguments block is also included. I like to use a single output so that additional fields may be added at a later point. Using this approach simplifies future development, as the function signature, wherever it may be used, does not need to be changed. I can simply add another output field within the function and refer to that additional field wherever the function output is used.
Before beginning any logic, sample_fcn first assigns default values to four fields of out. This is a simple and concise way to ensure that the function will not error when returning early.
The function then performs two checks. The first is for an empty input (x) vector. If that is the case, nothing needs to be done, as the function simply returns early with the default output values that happen to apply to the inability to fit any data.
The second check is for edge cases for which input combinations do not work. In this case, the status is updated, but default values for all other output fields (which are already assigned) still apply, so no additional code is needed.
Then, the function performs the fit based on the specified model_type. Note that an otherwise case is not needed here, since the argument validation for model_type would not allow any other value.
At this point, the total_error is calculated and a check is then made to determine if it is valid. If not, the function again returns early with another specific status value.
Finally, the R^2 value is calculated and a fourth check is performed. If this one fails, another status value is assigned with an early return.
If the function has passed all the checks, then a set of assertions ensure that each of the output fields are valid. In this case, there are eight specific checks, two for each field.
If all of the assertions also pass, then the final (successful) status is assigned and the function returns normally.
function [out] = sample_fcn(in)
	arguments(Input)
		in.x (:, 1) = []
		in.model_type (1, 1) string {mustBeMember(in.model_type, ...
			["2-factor", "3-factor", "4-factor"])} = "2-factor"
		in.number_of_terms (1, 1) {mustBeMember(in.number_of_terms, 1:5)} = 1
		in.normalize_fit (1, 1) logical = false
	end
	arguments(Output)
		out struct
	end
	%% 
	out.fit = [];
	out.total_error = [];
	out.R_squared = NaN;
	out.status = "Fit not possible for supplied inputs.";
	%% 
	if isempty(in.x)
		return
	end
	%% 
	if ((in.model_type == "2-factor") && (in.number_of_terms == 5)) || ... % other possible logic
		out.status = "Specified combination of model_type and number_of_terms is not supported.";
		return
	end
	%%
	switch in.model_type
		case "2-factor"
			out.fit = % code for 2-factor fit
		case "3-factor"
			out.fit = % code for 3-factor fit
		case "4-factor"
			out.fit = % code for 4-factor fit
	end
	%%
	out.total_error = % calculation of error
	if ~isfinite(out.total_error)
		out.status = "The total_error could not be calculated.";
		return
	end
	%%
	out.R_squared = % calculation of R^2
	if out.R_squared > 1
		out.status = "The R^2 value is out of bounds.";
		return
	end
	%% 
	assert(iscolumn(out.fit), "The fit vector is not a column vector.");
	assert(size(out.fit) == size(in.x), "The fit vector is not the same size as the input x vector.");
	assert(isscalar(out.total_error), "The total_error is not a scalar.");
	assert(isfinite(out.total_error), "The total_error is not finite.");
	assert(isscalar(out.R_squared), "The R^2 value is not a scalar.");
	assert(isfinite(out.R_squared), "The R^2 value is not finite.");
	assert(isscalar(out.status), "The status is not a scalar.");
	assert(isstring(out.status), "The status is not a string.");
	%% 
	out.status = "The fit was successful.";
end
Potential Implementation
The second function, sample_fcn_output_arguments, provides essentially the same functionality in about half the lines of code. It is also much clearer with respect to the output. As a reminder, this function structure does not currently work in MATLAB, but hopefully it will in the not-too-distant future.
This function uses the same input-arguments block, which is then followed by a comparable output-arguments block. The first unsupported feature here is the use of name-value pairs for outputs. I would much prefer to make these assignments here rather than immediately after the block as in the sample_fcn above, which necessitates four more lines of code.
The mustBeSameSize validation function that I use for fit does not exist, but I really think it should; I would use it a lot. In this case, it provides a very succinct way of ensuring that the function logic did not alter the size of the fit vector from what is expected.
The mustBeFinite validation function for out.total_error does not work here simply because of the limitation on name-value pairs; it does work for regular outputs.
Finally, the assignment of default values to output arguments is not supported.
The next three sections of sample_fcn_output_arguments match those of sample_fcn: check if x is empty, check input combinations, and perform fit logic. Following that, though, the functions diverge heavily, as you might expect. The two checks for total_error and R^2 are not necessary, as those are covered by the output-arguments block. While there is a slight difference, in that the specific status values I assigned in sample_fcn are not possible, I would much prefer to localize all these checks in the arguments block, as is already done for input arguments.
Furthermore, the entire section of eight assertions in sample_fcn is removed, as, again, that would be covered by the output-arguments block.
This function ends with the same status assignment. Again, this is not exactly the same as in sample_fcn, since any failed assertion would prevent that assignment. However, that would also halt execution, so it is a moot point.
function [out] = sample_fcn_output_arguments(in)
	arguments(Input)
		in.x (:, 1) = []
		in.model_type (1, 1) string {mustBeMember(in.model_type, ...
			["2-factor", "3-factor", "4-factor"])} = "2-factor"
		in.number_of_terms (1, 1) {mustBeMember(in.number_of_terms, 1:5)} = 1
		in.normalize_fit (1, 1) logical = false
	end
	arguments(Output)
		out.fit (:, 1) {mustBeSameSize(out.fit, in.x)} = []
		out.total_error (1, 1) {mustBeFinite(out.total_error)} = []
		out.R_squared (1, 1) {mustBeLessThanOrEqual(out.R_squared, 1)} = NaN
		out.status (1, 1) string = "Fit not possible for supplied inputs."
	end
	%% 
	if isempty(in.x)
		return
	end
	%% 
	if ((in.model_type == "2-factor") && (in.number_of_terms == 5)) || ... % other possible logic
		out.status = "Specified combination of model_type and number_of_terms is not supported.";
		return
	end
	%%
	switch in.model_type
		case "2-factor"
			out.fit = % code for 2-factor fit
		case "3-factor"
			out.fit = % code for 3-factor fit
		case "4-factor"
			out.fit = % code for 4-factor fit
	end
	%%
	out.status = "The fit was successful.";
end
Final Thoughts
There is a significant amount of unrealized potential for the output-arguments block. Hopefully what I have provided is helpful for continued developments in this area.
What are your thoughts? How would you improve arguments blocks for outputs (or inputs)? If you do not already use them, I hope that you start to now.
w = logspace(-1,3,100);
[m,p] = bode(tf(1,[1 1]),w);
size(m)
and therefore plotting requires an explicit squeeze (or rehape, or colon)
% semilogx(w,squeeze(db(m)))
Similarly, I'm using page* functions more regularly and am now generating 3D results whereas my old code would generate 2D. For example
x = [1;1];
theta = reshape(0:.1:2*pi,1,1,[]);
Z = [cos(theta), sin(theta);-sin(theta),cos(theta)];
y = pagemtimes(Z,x);
Now, plotting requires squeezing the inputs
% plot(squeeze(theta),squeeze(y))
Would there be any drawbacks to having plot, et. al., automagically apply squeeze to its inputs?
I like this problem by James and have solved it in several ways. A solution by Natalie impressed me and introduced me to a new function conv2. However, it occured to me that the numerous test for the problem only cover cases of square matrices. My original solutions, and Natalie's, did niot work on rectangular matrices. I have now produced a solution which works on rectangular matrices. Thanks for this thought provoking problem James.
There are so many incredible entries created in week 1. Now, it’s time to announce the weekly winners in various categories!
Nature & Space:
Seamless Loop:
Abstract:
Remix of previous Mini Hack entries:
Early Discovery
Holiday:           
Congratulations to all winners! Each of you won your choice of a T-shirt, a hat, or a coffee mug. We will contact you after the contest ends.
In week 2, we’d love to see and award more entries in the ‘Seamless Loop’ category.  We can't wait to see your creativity shine!
Tips for Week 2:
1.Use AI for assistance
The code from the Mini Hack entries can be challenging, even for experienced MATLAB users. Utilize AI tools for MATLAB to help you understand the code and modify the code.  Here is an example of a remix assisted by AI. @Hans Scharler used MATLAB GPT to get an explanation of the code and then prompted it to ‘change the background to a starry night with the moon.’ 
2. Share your thoughts
Share your tips & tricks, experience of using AI, or learnings with the community. Post your knowledge in the Discussions' general channel (be sure to add the tag 'contest2024') to earn opportunities to win the coveted MATLAB Shorts. 
3. Ensure Thumbnails Are Displayed:
You might have noticed that some entries on the leaderboard lack a thumbnail image. To fix this, ensure you include ‘drawframe(1)’ in your code.
Over the past week, we have seen many creative and compelling short movies! Now, let the voting begin! Cast your votes for the short movies you love. Authors, share your creations with friends, classmates, and colleagues. Let's showcase the beauty of mathematics to the world!
We know that one of the key goals for joining the Mini Hack contest is to LEARN!  To celebrate knowledge sharing, we have special prizes—limited-edition MATLAB Shorts—up for grabs!

These exclusive prizes can only be earned through the MATLAB Shorts Mini Hack contest. Interested? Share your knowledge in the Discussions' general channel (be sure to add the tag 'contest2024') to earn opportunities to win the coveted MATLAB Shorts. You can share various types of content, such as tips and tricks for creating animations, background stories of your entry, or learnings you've gained from the contest. We will select different types of winners each week.

We also have an exciting feature announcement: you can now experiment with code in MATLAB Online. Simply click the 'Open in MATLAB Online' button above the movie preview section. Even better! ‘Open in MATLAB Online’ is also available in previous Mini Hack contests!

We look forward to seeing more amazing short movies in Week 2!
We are thrilled to announce the redesign of the Discussions leaf page, with a new user-focused right-hand column!

Why Are We Doing This?
- Address Readers’ Needs:
Previously, the right-hand column displayed related content, but feedback from our community indicated that this wasn't meeting your needs. Many of you expressed a desire to read more posts from the same author but found it challenging to locate them.
With the new design, readers can easily learn more about the author, explore their other posts, and follow them to receive notifications on new content.
- Enhance Authors’ Experience:
Since the launch of the Discussions area earlier this year, we've seen an influx of community members sharing insightful technical articles, use cases, and ideas. The new design aims to help you grow your followers and organize your content more effectively by editing tags. We highly encourage you to use the Discussions area as your community blogging platform.
We hope you enjoy the new design of the right-hand column. Please feel free to share your thoughts and experiences by leaving a comment below.
I would like to propose the creation of MATLAB EduHub, a dedicated channel within the MathWorks community where educators, students, and professionals can share and access a wealth of educational material that utilizes MATLAB. This platform would act as a central repository for articles, teaching notes, and interactive learning modules that integrate MATLAB into the teaching and learning of various scientific fields.
Key Features:
1. Resource Sharing: Users will be able to upload and share their own educational materials, such as articles, tutorials, code snippets, and datasets.
2. Categorization and Search: Materials can be categorized for easy searching by subject area, difficulty level, and MATLAB version..
3. Community Engagement: Features for comments, ratings, and discussions to encourage community interaction.
4. Support for Educators: Special sections for educators to share teaching materials and track engagement.
 Benefits:
- Enhanced Educational Experience: The platform will enrich the learning experience through access to quality materials.
- Collaboration and Networking: It will promote collaboration and networking within the MATLAB community.
- Accessibility of Resources: It will make educational materials available to a wider audience.
By establishing MATLAB EduHub, I propose a space where knowledge and experience can be freely shared, enhancing the educational process and the MATLAB community as a whole.
Can anyone provide insight into the intended difference between Discussions and Answers and what should be posted where?
Just scrolling through Discussions, I saw postst that seem more suitable Answers?
What exactly does Discussions bring to the table that wasn't already brought by Answers?
Maybe this question is more suitable for a Discussion ....
Ich habe das Problem das ich immer nur 1 Tag aufzeichnen kann (siehe Anhang), obwohl ich den Parameter au 15 tage gestellt habe.
The MATLAB AI Chat Playground is now open to the whole community! Answer questions, write first draft MATLAB code, and generate examples of common functions with natural language.
The playground features a chat panel next to a lightweight MATLAB code editor. Use the chat panel to enter natural language prompts to return explanations and code. You can keep chatting with the AI to refine the results or make changes to the output.

Give it a try, provide feedback on the output, and check back often as we make improvements to the model and overall experience.
In the past year, we've witnessed an exponential growth of ChatGPT and other Generative AI tools. AI has quickly become a transformative force across industries, from tech giants to small startups, and even community sites like ours. For instance, Stack Overflow announced its plan to leverage AI tools to draft a question or tag content; Quora built a ChatGPT bot to answer questions; and GitHub is piloting the AI tool for personalized content. 

This trend in the community landscape makes me wonder what MATLAB Central community, especially in MATLAB Answers, can do to integrate AI and enhance the community.
Share with us your ideas in the comment session. Ideally one comment per idea, so that others can vote on a secific idea or have deeper discussions about it. 
im trying to draw a path for the aircraft. so the aircraft needs to avoid all the red zones in the radar image i have and should travel only on green zones even the waypoints are on redzones. 
% Load the radar image
radar_image = imread('radar.jpg');
I = radar_image;
% Display the radar image
figure;
imshow(I);
% Select waypoints
disp('Select the waypoints:');
[x, y] = ginput;
waypoints = [x, y];
% Save waypoints
save('waypoints.mat', 'waypoints');
% Load saved waypoints
load('waypoints.mat');
% Plot waypoints and connect them with lines
hold on;
plot(waypoints(:, 1), waypoints(:, 2), 'ro', 'LineWidth', 2);
plot(waypoints(:, 1), waypoints(:, 2), 'r--', 'LineWidth', 1);
% Load aircraft icon image
aircraft_icon = imread('aircraft_icon.png');
% Resize the aircraft icon image
desired_size = 30; % Change this value to adjust the size of the aircraft icon
aircraft_icon_resized = imresize(aircraft_icon, [desired_size, desired_size]);
% Animate aircraft using AI algorithm
tolerance = 5; % Tolerance for reaching waypoints
max_steps = 100; % Maximum steps to reach the destination
step_size = 1; % Step size for potential field calculations
% Plot the initial position of the aircraft
current_pos = waypoints(1, :);
h = image(current_pos(1), current_pos(2), aircraft_icon_resized);
set(h, 'AlphaData', 0.7); % Set the transparency (optional)
for i = 1:size(waypoints, 1)-1
    start = waypoints(i, :);
    finish = waypoints(i+1, :);
    % Perform A* algorithm to find an alternate path through green zones
    alternate_path = A_star(start, finish);
    for j = 1:size(alternate_path, 1)-1
        % Initialize the position of the aircraft
        current_pos = alternate_path(j, :);
        next_waypoint = alternate_path(j+1, :);
        % Continue to the next waypoint if the current position is already near the waypoint
        if norm(current_pos - next_waypoint) <= tolerance
            continue;
        end
        % Perform animation to move the aircraft through the potential field
        animateAircraft(current_pos, next_waypoint, max_steps, step_size, h);
        % Update the radar image I with the current position of the aircraft
        I(round(current_pos(2)), round(current_pos(1))) = 0;
    end
end
function animateAircraft(current_pos, next_waypoint, max_steps, step_size, h)
    % Animate the aircraft to move from current_pos to next_waypoint
    for t = 1:max_steps
        % Check if the aircraft has reached the destination waypoint
        if norm(current_pos - next_waypoint) <= tolerance
            break;
        end
        % Calculate potential field forces
        attractive_force = next_waypoint - current_pos;
        repulsive_force = zeros(1, 2);
        % Calculate the repulsive forces from each red and yellow region
        red_regions = find(I == 1);
        yellow_regions = find(I == 2);
        for k = 1:length(red_regions)
            [r, c] = ind2sub(size(I), red_regions(k));
            obstacle = [c, r];
            repulsive_force = repulsive_force + calculate_repulsive_force(current_pos, obstacle);
        end
        for k = 1:length(yellow_regions)
            [r, c] = ind2sub(size(I), yellow_regions(k));
            obstacle = [c, r];
            repulsive_force = repulsive_force + calculate_repulsive_force(current_pos, obstacle);
        end
        % Combine the forces to get the total force
        total_force = attractive_force + 0.5 * repulsive_force; % Reduce repulsive force to move through obstacles more easily
        % Normalize the total force and move the aircraft
        total_force = total_force / norm(total_force);
        current_pos = current_pos + step_size * total_force;
        % Update the aircraft position on the plot
        set(h, 'XData', current_pos(1), 'YData', current_pos(2));
        drawnow; % Force the plot to update
        % Pause for a short duration to visualize the animation
        pause(0.05);
    end
end
function force = calculate_repulsive_force(position, obstacle, I)
    % Constants for the potential field calculation
    repulsive_gain = 1000; % Adjust this value to control the obstacle avoidance strength
    min_distance = 5; % Minimum distance to avoid division by zero
    % Calculate the distance and direction to the obstacle
    distance = norm(position - obstacle);
    direction = (position - obstacle) / distance;
    % Check if the obstacle is a waypoint
    is_waypoint = false;
    waypoints = [1, 2; 3, 4; 5, 6]; % Replace this with the actual waypoints' coordinates
    for i = 1:size(waypoints, 1)
        if isequal(obstacle, waypoints(i, :))
            is_waypoint = true;
            break;
        end
    end
    % Check the color of the obstacle in the radar image
    color = I(round(obstacle(2)), round(obstacle(1)));
    % Calculate the repulsive force
    if ~is_waypoint && color ~= 0 % Obstacle is not a waypoint or 0
        force = repulsive_gain / max(distance, min_distance)^2 * direction;
    else
        force = zeros(1, 2);
    end
end
this the code im using. But according to the output im getting, the aircraft is still travelling through all the red and yellow zones.i have tagged the aircraft_icon.png and rada.jpg images which have been used in the code. can somebody help me out with this? 


I recently have found that I am no longer able to give my difficulty rating for questions on Cody after sucessfully completing a question. This is obviously not a big deal, I was just wondering if this was an issue on my end or if there was some change that I was not aware of.
The option to rate does not pop up after solving a problem, and the rating in general does not even show up anymore when answering questions (though it is visible from problem groups).
MATLAB Central has been great community-based MATLAB resources, but you can now access its content programmatically via the public API, and I created a MATLAB function to take advantage of that. You can learn more here https://api.mathworks.com/community 
Example:
data = searchMATLABCentral("plotting",scope="matlab-answers",sort_order="created desc",created_after=datetime("2023-01-01"));
T = struct2table(data.items);
T(:,["created_date","title","is_answered"])
Output

Function
function results = searchMATLABCentral(query,options)
% SEARCGMATLABCENTRAL retrieves content of the MATLAB Central for a given
% query and returns the result as a struct.
% The function uses MathWorks RESTful API to search for content.
% The API is rate limited via IP throttling. No authentication is required.
% See API documentation for more details https://api.mathworks.com/community
%
% Input Arguments:
%
%   query (string)            - Required. The search query string.
%   scope (string)            - Optional. Specify the artifact. If not specified,
%                               the scope defaults to 'matlab-answers'. 
%                               Other options include 'file-exchange','blogs','cody', 
%                               'community-highlights', and 'community-contests'.
%   tags (string)             - Optional. Specify a comma-separated list of tags. 
%   created_before (datetime) - Optional. Specify the last date in the results 
%   created_after (datetime)  - Optional. Specify the first date in the results
%   sort_order (string)       - Optional. Speficy the order of the results. 
%                               If not specified, it defaults to "relevance desc".
%                               Other options include 'created asc', 'created desc', 
%                               'updated asc','updated desc', 'relevance asc', 
%                               and 'relevance desc'.
%   page (integer)            - Optional. Specify the page to retrieve.
%                               If the 'has_more' field in the result is positive, 
%                               increment this argument to retrieve the next page.
%   count (integer)           - Optional. Specify the number of results as a value 
%                               between 1 and 50; The default is 10. 
%
% Output Arguments:
%
%   results (struct)          - Structure array containing the results of the search.
% validate input arguments
arguments
    query string {mustBeNonzeroLengthText,mustBeTextScalar}
    options.scope string {mustBeMember(options.scope,["matlab-answers", ...
        "file-exchange","blogs","cody","community-highlights", ...
        "community-contests"])} = "matlab-answers";
    options.tags string {mustBeNonzeroLengthText,mustBeVector}
    options.created_before (1,1) datetime 
    options.created_after (1,1) datetime
    options.sort_order string {mustBeMember(options.sort_order,["created asc", ...
        "created desc","updated asc","updated desc","relevance asc","relevance desc"])}
    options.page double {mustBeInteger,mustBeGreaterThan(options.page,0)}
    options.count double {mustBeInteger,mustBeInRange(options.count,1,50)}
end
% API URL and endpoint
url = "https://api.mathworks.com/community";
endpoint = "/v1/search";
% convert MATLAB datetime to the internet datetime format string
if isfield(options,"created_before")
    options.created_before = string(options.created_before,"yyyy-MM-dd'T'HH:mm:ss'Z'");
end
if isfield(options,"created_after")
    options.created_after = string(options.created_after,"yyyy-MM-dd'T'HH:mm:ss'Z'");
end
% convert optional inputs into a cell array of key-value pairs
keys = fieldnames(options);
vals = struct2cell(options);
params = [keys,vals].';
% call the API
try
    results = webread(url+endpoint,"query",query,params{:});
catch ME
    rethrow(ME)
end
end
This is the 6th installment of the wish-list and bug report thread.
This topic is the follow on to the first Wish-list for MATLAB Answer sections and second MATLAB Answers Wish-list #2 (and bug reports). The third started out as New design of the forum - grey on white and the fourth and fifth also grew so large they are slow to load and navigate.
Same idea as the previous ones: one wish (or bug report) per answer, so that people can vote their wishes.
What should you post where?
Next Gen threads (#1): features that would break compatibility with previous versions, but would be nice to have
@anyone posting a new thread when the last one gets too large (about 50 answers seems a reasonable limit per thread), please update this list in all last threads. (if you don't have editing privileges, just post a comment asking someone to do the edit)
When solving problems over on Cody, I can almost always view all solutions to a problem after submitting a correct solution of my own. Very rarely, however, this is not the case, and I instead get the following message:
    This solution is locked. To view this solution, you need to provide a solution of the same size or smaller.
    You may solve another problem from Community group to unlock all the solutions to this problem.
If this happens, then again, I can almost always rectify this by submitting a (correct) solution to a different problem (I take it that the Community group is the implicit group of all problems on Cody --- is it?). But sometimes that, too, fails.
So my question is, why? What are the criteria that determine when all solutions are, in fact, unlocked? 
Hello,
Can someone please give me a hint how the settings at Tasmoto have to be made in order to send data via MQTT to ThingSpeak.
Halil Kemal has an open channel tag: tasmota where this seems to work.
Thank you in advance for your support.
TOM
Two fun community contests: MATLAB Mini Hack 2022 and Cody 10th Anniversary will start on Oct 3rd, 2022. Are you ready for the challenges and big prizes? 
How to Play 
1. MATLAB Mini Hack 2022 contest:
Use up to 280 characters of MATLAB code to generate an interesting image. New in 2022 contest: You'll be allowed to use functions from File Exchange entries and/or certain MathWorks toolboxes in different weeks. 
2. Cody 10th Anniversary contest:
Solve at least 1 Cody problem per day during the 4-week contest period. We will reward participants with the longest streak of days of problem-solving!
Tips to Win
1. MATLAB Mini Hack 2022: Spend time creating your best work (either a new or remixed entry).  
2. Cody 10th Anniversary: Make sure you start on the 1st day (Oct 3rd). This is the key if you want to win one of the grand prizes (worth marking your calendar?)
3. Act now: No matter if you want to join either the Mini Hack, Cody, or both. Start planning your strategy today. 
Good luck! We hope you are the winner. 

We operate roughly 600 data loggers on Think Speak where there are roughly 150 gateways and each gateway communicates with a node.  Our channels are labeled node# - gateway number and each number is 16 diigits.  We have not found a wildcard search function so must have each number exactly right or we cannot find our channel.  In some cases we wish to query a gateway and see which nodes are successfully communicating with it.  














