空心矩形
Python:
```python
width = 10
height = 5
for i in range(height):
for j in range(width):
if i == 0 or i == height - 1 or j == 0 or j == width - 1:
print('*', end=' ')
else:
print(' ', end=' ')
print()
```
C (Visual Studio):
```csharp
private void DrawRectangle()
{
System.Drawing.Pen myPen = new System.Drawing.Pen(System.Drawing.Color.Red);
System.Drawing.Graphics formGraphics = this.CreateGraphics();
formGraphics.DrawRectangle(myPen, new Rectangle(0, 0, 200, 300));
myPen.Dispose();
formGraphics.Dispose();
}
```
空心三角形
Python:
```python
height = 5
for i in range(1, height + 1):
for j in range(1, 2 * height):
if i == height or i + j == height + 1 or j - i == height - 1:
print('*', end='')
else:
print(' ', end='')
print()
```
C (Visual Studio):
```csharp
private void DrawTriangle()
{
System.Drawing.Pen myPen = new System.Drawing.Pen(System.Drawing.Color.Red);
System.Drawing.Graphics formGraphics = this.CreateGraphics();
for (int i = 0; i < 5; i++)
{
for (int j = 0; j < i; j++)
{
System.Drawing.Graphics.DrawString(" ", myPen, Brushes.Black, 0, j);
}
for (int j = i; j < 5; j++)
{
System.Drawing.Graphics.DrawString("*", myPen, Brushes.Black, 0, j);
}
System.Drawing.Graphics.DrawString(" ", myPen, Brushes.Black, 0, i);
System.Drawing.Graphics.DrawLine(myPen, 0, i, 200, i);
}
myPen.Dispose();
formGraphics.Dispose();
}
```
空心菱形
Python:
```python
def print_hollow_diamond(n):
for i in range(n):
if i <= n // 2:
for j in range(n):
if j <= i or j >= n - i - 1:
print('*', end='')
else:
print(' ', end='')
else:
for j in range(n):
if j <= n - i - 1 or j >= i:
print('*', end='')
else:
print(' ', end='')
print()
print_hollow_diamond(5)
```
C语言 (空心三角形):
```c
include
void print_hollow_triangle(int n) {
for (int i = 0; i < n; i++) {
for (int j = 0; j < 2 * n - 1; j++) {
if (j == n - i - 1 || j == n + i - 1)
printf("*");
else
printf(" ");
}
printf("\n");
}
}
int main() {
int n;
scanf("%d", &n);
print_hollow_triangle(n);
return 0;
}
```
这些代码示例展示了如何在不同编程语言中绘制空心矩形、三角形和菱形。你可以根据需要选择合适的编程语言和代码实现。