Skip to content

Commit 91d6f69

Browse files
committedFeb 10, 2025
Code Added
1 parent 7f9e96f commit 91d6f69

File tree

6 files changed

+74
-0
lines changed

6 files changed

+74
-0
lines changed
 
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,2 @@
1+
# [1721. Swapping Nodes in a Linked List](https://leetcode.com/problems/swapping-nodes-in-a-linked-list/)
2+
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,29 @@
1+
/**
2+
* Definition for singly-linked list.
3+
* public class ListNode {
4+
* int val;
5+
* ListNode next;
6+
* ListNode() {}
7+
* ListNode(int val) { this.val = val; }
8+
* ListNode(int val, ListNode next) { this.val = val; this.next = next; }
9+
* }
10+
*/
11+
class SwappingNodesInALinkedList {
12+
public ListNode swapNodes(ListNode head, int k) {
13+
ListNode curr = head, first = head, last = head;
14+
int count = 1;
15+
while (curr.next != null) {
16+
if (count < k) {
17+
first = first.next;
18+
} else {
19+
last = last.next;
20+
}
21+
count++;
22+
curr = curr.next;
23+
}
24+
int temp = first.val;
25+
first.val = last.val;
26+
last.val = temp;
27+
return head;
28+
}
29+
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,17 @@
1+
class MergeStringsAlternately {
2+
public String mergeAlternately(String word1, String word2) {
3+
int n = word1.length(), m = word2.length();
4+
int i = 0, j = 0;
5+
StringBuilder res = new StringBuilder();
6+
while (i < n || j < m) {
7+
if (i < n) {
8+
res.append(word1.charAt(i++));
9+
}
10+
if (j < m) {
11+
res.append(word2.charAt(j++));
12+
}
13+
}
14+
15+
return res.toString();
16+
}
17+
}
+7
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,7 @@
1+
# [1768. Merge Strings Alternately](https://leetcode.com/problems/merge-strings-alternately/)
2+
3+
4+
Complexity Analysis:
5+
6+
- Time Complexity: $O(n+m)$. $n$ is the length of `word1` and $m$ is the length of `word2`.
7+
- Space Complexity: $O(1)$.
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,17 @@
1+
import java.util.Arrays;
2+
3+
class MaximumScoreFromPerformingMultiplicationOperations {
4+
public int maximumScore(int[] nums, int[] multipliers) {
5+
int n = nums.length;
6+
int m = multipliers.length;
7+
int[][] dp = new int[m+1][m+1];
8+
9+
for (int op = m - 1; op >= 0; op--) {
10+
for (int left = op; left >= 0; left--) {
11+
dp[op][left] = Math.max(multipliers[op] * nums[left] + dp[op + 1][left + 1], multipliers[op] * nums[n - 1 - (op - left)] + dp[op + 1][left]);
12+
}
13+
}
14+
15+
return dp[0][0];
16+
}
17+
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,2 @@
1+
# [1770. Maximum Score from Performing Multiplication Operations](https://leetcode.com/problems/maximum-score-from-performing-multiplication-operations/)
2+

0 commit comments

Comments
 (0)
Please sign in to comment.